[Python-Dev] PEP 676 -- PEP Infrastructure Process

2022-01-10 Thread python
Hi,

I would like to announce PEP 676 to python-dev. It is a meta-PEP focussed on 
modernising the PEP build infrastructure. From the abstract, "This PEP 
addresses the infrastructure around rendering PEP files from reStructuredText 
files to HTML webpages. We aim to specify a self-contained and maintainable 
solution for PEP readers, authors, and editors."

Link: https://www.python.org/dev/peps/pep-0676/
Rendered through the PEP 676 system: https://python.github.io/peps/pep-0676/

Please see https://discuss.python.org/t/10774 for prior discussion and to give 
any feedback.

Thanks,

Adam Turner
_______
Python-Dev mailing list -- python-dev@python.org
To unsubscribe send an email to python-dev-le...@python.org
https://mail.python.org/mailman3/lists/python-dev.python.org/
Message archived at 
https://mail.python.org/archives/list/python-dev@python.org/message/C675PLAF535FSUL7KX4FS2NK6ZPPQ3HB/
Code of Conduct: http://python.org/psf/codeofconduct/


Re: [Python-Dev] list.discard? (Re: dict.discard)

2006-09-24 Thread python
> When I want to remove something from a list I typically write:
>
>   while x in somelist:
>   somelist.remove(x)

An O(n) version of removeall:

   somelist[:] = [e for e in somelist if e != x]


Raymond
___
Python-Dev mailing list
Python-Dev@python.org
http://mail.python.org/mailman/listinfo/python-dev
Unsubscribe: 
http://mail.python.org/mailman/options/python-dev/archive%40mail-archive.com


Re: [Python-Dev] Objecttype of 'locals' argument in PyEval_EvalCode

2006-11-29 Thread python

[Guido van Rossum]
> This seems a bug. In revision 36714 by Raymond Hettinger, 
> the restriction that locals be a dict was relaxed to allow
> any mapping.

[Armin Rigo]
> Mea culpa, I thought I reviewed this patch at the time.
> Fixed in r52862-52863.

Armin, thanks for the check-ins.  Daniel, thanks for finding one of the cases I 
missed. Will load a unittest for this one when I get a chance.


Raymond
___
Python-Dev mailing list
Python-Dev@python.org
http://mail.python.org/mailman/listinfo/python-dev
Unsubscribe: 
http://mail.python.org/mailman/options/python-dev/archive%40mail-archive.com


Re: [Python-Dev] Small tweak to tokenize.py?

2006-11-30 Thread python
> It would be trivial to add another yield to tokenize.py when
> the backslah is detected

+1



> I think that it should probably yield a single NL pseudo-token
> whose value is a backslash followed by a newline; or perhaps it
> should yield the backslash as a comment token, or as a new token.

The first option is likely the most compatible with existing uses of tokenize.  
If a comment token were emitted, an existing colorizer or pretty-printer would 
markup the continuation as a comment (possibly not what the tool author 
intended).  If a new token were created, it might break if-elif-else chains in 
tools that thought they knew the universe of possible token types.


Raymond
___
Python-Dev mailing list
Python-Dev@python.org
http://mail.python.org/mailman/listinfo/python-dev
Unsubscribe: 
http://mail.python.org/mailman/options/python-dev/archive%40mail-archive.com


[Python-Dev] Fwd: Re: Floor division

2007-01-23 Thread python


>> Do note that this discussion is only about Python 3.  Under the view
>> that it was a (minor, but real) design error to /try/ extending
>> Python's integer mod definition to floats, if __mod__, and __divmod__
>> and __floordiv__ go away for binary floats in P3K they should
>> certainly go away for decimal floats in P3K too.  And that's about
>> syntax, not functionality:  the IBM spec's "remainder" and
>> "remainder-near" still need to be there, it's "just" that a user would
>> have to get at "remainder" in a more long-winded way (analogous to

[Facundo Batista]
>We'll have to deprecate that functionality, with proper warnings (take
>not I'm not following the thread that discuss the migration path to 3k).
>
>And we'll have to add the method "remainder" to decimal objects (right
>now we have only "remainder_near" in decimal objects, and both
>"remainder" and "remainder_near" in context).

Whoa. This needs more discussion with respect to the decimal module.  I'm not 
ready to throw-out operator access to the methods provided by the spec.  Also, 
I do not want the Py2.x decimal module releases to be complexified and 
slowed-down by Py3.0 deprecation warnings.  The module is already slow and has 
ease-of-use issues.


Raymond
___
Python-Dev mailing list
Python-Dev@python.org
http://mail.python.org/mailman/listinfo/python-dev
Unsubscribe: 
http://mail.python.org/mailman/options/python-dev/archive%40mail-archive.com


Re: [Python-Dev] Why is nb_inplace_power ternary?

2007-02-08 Thread python
[MvL]
>>> So here is my proposed change:
>>> 
>>> 1. For 2.5.1, rewrite slot_nb_inplace_power to raise an exception
>>> if the third argument is not None, and then invoke __ipow__ with only one 
>>> argument.

Why would you change Py2.5?  There is no bug here.


Raymond
___________
Python-Dev mailing list
Python-Dev@python.org
http://mail.python.org/mailman/listinfo/python-dev
Unsubscribe: 
http://mail.python.org/mailman/options/python-dev/archive%40mail-archive.com


[Python-Dev] NamedTuple (was: Py2.6 ideas)

2007-02-20 Thread python
[Raymond Hettinger]
> The constructor signature ... Point(*fetchall(s)),
> and it allows for direct construction with Point(2,3) without 
> the slower and weirder form: Point((2,3)).

[Jim Jewett]
>> If you were starting from scratch, I would agree
>> whole-heartedly; this is one of my most frequent 
>> mistakes.The question is whether it makes sense to
>> "fix" NamedTuple without also fixing regular tuple, list, 

Yes.  Tuples and lists both have syntactic support for direct construction and 
NamedTuples aspire to that functionality:

vec = (dx*3.0, dy*dx/dz, dz) # Regular tuple
vec = Vector(dx*3.0, dy*dx/dz, dz)   # Named tuple

I've worked with the current version of the recipe for a long time and after a 
while the wisdom of the signature becomes self-evident.  We REALLY don't want: 
vec = Vector((dx*3.0, dy*dx/dz, dz))  # yuck
For conversion from other iterables, it is REALLY easy to write:
vec = Vector(*partial_derivatives)

Remember, list() and tuple() are typically used as casts, not as direct 
constructors.  How often do you write:
dlist = list((dx*3.0, dy*dx/dz, dz))
That is usually written:
dlist = [dx*3.0, dy*dx/dz, dz]
I think the Vec((dx, dy, dz)) sysntax falls into the category of foolish 
consistency.

Raymond
_______
Python-Dev mailing list
Python-Dev@python.org
http://mail.python.org/mailman/listinfo/python-dev
Unsubscribe: 
http://mail.python.org/mailman/options/python-dev/archive%40mail-archive.com


Re: [Python-Dev] Bundling decimal.py with Django

2007-02-22 Thread python
> What is the license for the decimal module,
> and is said license compatible
> with the BSD license that Django uses?

It is the the same license as Python itself:
http://www.python.org/psf/license/


>  Are the authors of the decimal module OK 
> with usdistributing it with Django?

You don't need my okay, but you've got it anyway.
Per the source file, the listed authors are:

# Written by Eric Price 
#and Facundo Batista 
#and Raymond Hettinger 
#and Aahz 
#and Tim Peters
_______
Python-Dev mailing list
Python-Dev@python.org
http://mail.python.org/mailman/listinfo/python-dev
Unsubscribe: 
http://mail.python.org/mailman/options/python-dev/archive%40mail-archive.com


Re: [Python-Dev] Python-Dev Digest, Vol 102, Issue 35

2012-01-16 Thread python
jbk

python-dev-requ...@python.org编写:

>Send Python-Dev mailing list submissions to
>   python-dev@python.org
>
>To subscribe or unsubscribe via the World Wide Web, visit
>   http://mail.python.org/mailman/listinfo/python-dev
>or, via email, send a message with subject or body 'help' to
>   python-dev-requ...@python.org
>
>You can reach the person managing the list at
>   python-dev-ow...@python.org
>
>When replying, please edit your Subject line so it is more specific
>than "Re: Contents of Python-Dev digest..."
>
>
>Today's Topics:
>
>   1. Re: Status of the fix for the hash collision vulnerability
>  (Gregory P. Smith)
>   2. Re: Status of the fix for the hash collision vulnerability
>  (Barry Warsaw)
>   3. Re: Sphinx version for Python 2.x docs (?ric Araujo)
>   4. Re: Status of the fix for the hash collision vulnerability
>  (mar...@v.loewis.de)
>   5. Re: Status of the fix for the hash collision vulnerability
>  (Guido van Rossum)
>   6. Re: [Python-checkins] cpython: add test, which was missing
>  from d64ac9ab4cd0 (Nick Coghlan)
>   7. Re: Status of the fix for the hash collision vulnerability
>  (Terry Reedy)
>   8. Re: Status of the fix for the hash collision vulnerability
>  (Jack Diederich)
>   9. Re: cpython: Implement PEP 380 - 'yield from' (closes#11682)
>  (Nick Coghlan)
>  10. Re: Status of the fix for the hash collision vulnerability
>  (Nick Coghlan)
>
>
>----------
>
>Message: 1
>Date: Fri, 13 Jan 2012 19:06:00 -0800
>From: "Gregory P. Smith" 
>Cc: python-dev@python.org
>Subject: Re: [Python-Dev] Status of the fix for the hash collision
>   vulnerability
>Message-ID:
>   
>Content-Type: text/plain; charset="iso-8859-1"
>
>On Fri, Jan 13, 2012 at 5:58 PM, Gregory P. Smith  wrote:
>
>>
>> On Fri, Jan 13, 2012 at 5:38 PM, Guido van Rossum wrote:
>>
>>> On Fri, Jan 13, 2012 at 5:17 PM, Antoine Pitrou wrote:
>>>
>>>> On Thu, 12 Jan 2012 18:57:42 -0800
>>>> Guido van Rossum  wrote:
>>>> > Hm... I started out as a big fan of the randomized hash, but thinking
>>>> more
>>>> > about it, I actually believe that the chances of some legitimate app
>>>> having
>>>> > >1000 collisions are way smaller than the chances that somebody's code
>>>> will
>>>> > break due to the variable hashing.
>>>>
>>>> Breaking due to variable hashing is deterministic: you notice it as
>>>> soon as you upgrade (and then you use PYTHONHASHSEED to disable
>>>> variable hashing). That seems better than unpredictable breaking when
>>>> some legitimate collision chain happens.
>>>
>>>
>>> Fair enough. But I'm now uncomfortable with turning this on for bugfix
>>> releases. I'm fine with making this the default in 3.3, just not in 3.2,
>>> 3.1 or 2.x -- it will break too much code and organizations will have to
>>> roll back the release or do extensive testing before installing a bugfix
>>> release -- exactly what we *don't* want for those.
>>>
>>> FWIW, I don't believe in the SafeDict solution -- you never know which
>>> dicts you have to change.
>>>
>>>
>> Agreed.
>>
>> Of the three options Victor listed only one is good.
>>
>> I don't like *SafeDict*.  *-1*.  It puts the onerous on the coder to
>> always get everything right with regards to data that came from outside the
>> process never ending up hashed in a non-safe dict or set *anywhere*.
>>  "Safe" needs to be the default option for all hash tables.
>>
>> I don't like the "*too many hash collisions*" exception. *-1*. It
>> provides non-deterministic application behavior for data driven
>> applications with no way for them to predict when it'll happen or where and
>> prepare for it. It may work in practice for many applications but is simply
>> odd behavior.
>>
>> I do like *randomly seeding the hash*. *+1*. This is easy. It can easily
>> be back ported to any Python version.
>>
>> It is perfectly okay to break existing users who had anything depending on
>> ordering of internal hash tables. Their code was already broken. We 
>> *will*provide a flag and/or environment variable that can be set to turn the
>> feature off at their own peril which they can use in their test har

Re: [Python-Dev] [RELEASED] Python 3.3.0

2012-09-29 Thread python
> Agreed - this is a really nice release, thanks to all who put it together.

+1

Thank you!
Malcolm
___
Python-Dev mailing list
Python-Dev@python.org
http://mail.python.org/mailman/listinfo/python-dev
Unsubscribe: 
http://mail.python.org/mailman/options/python-dev/archive%40mail-archive.com


[Python-Dev] xturtle.py

2006-06-28 Thread python
[Collin Winter]
>> While I have no opinion on Gregor's app, and while I fully 
agree that
>> new language features and stdlib modules should generally 
stay out of
>> bug-fix point releases, xturtle doesn't seem to rise to that 
level
>> (and hence, those restrictions).

[Martin]
> It's a stdlib module, even if no other stdlib modules depend 
on it;
> try "import turtle".
>
> In the specific case, the problem with adding it to 2.5 is that 
xturtle
> is a huge rewrite, so ideally, the code should be reviewed 
before being
> added. Given that this is a lot of code, nobody will have the 
time to
> perform a serious review. It will be hard enough to find 
somebody to
> review it for 2.6 - often, changes of this size take several 
years to
> review (primarily because it is so specialized that only few 
people 
> even consider reviewing it).

As a compromise. we could tack Gregor Lingl's module under 
the Tools directory. This makes the tool more readily available 
for student use and allows it a more liberal zone to evolve than 
if it were in the standard library.

One other thought -- at PyCon, I talked with a group of 
educators.  While they needed some minor tweaks to the Turtle 
module, there were no requests for an extensive rewrite or a 
fatter API.  The name of the game was to have a single module 
with a minimal toolset supporting a few simple programs, just 
rich enough to inspire, but small enough to fit into tiny slots in 
the curriculum (one sixth grade class gets is allocated three 55 
minute sessions to learn programming).


Raymond
___
Python-Dev mailing list
Python-Dev@python.org
http://mail.python.org/mailman/listinfo/python-dev
Unsubscribe: 
http://mail.python.org/mailman/options/python-dev/archive%40mail-archive.com


[Python-Dev] Summary of Python tracker Issues

2014-06-27 Thread Python tracker

ACTIVITY SUMMARY (2014-06-20 - 2014-06-27)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4643 (-12)
  closed 29004 (+72)
  total  33647 (+60)

Open issues with patches: 2162 


Issues opened (50)
==

#6916: Remove deprecated items from asynchat
http://bugs.python.org/issue6916  reopened by ezio.melotti

#10312: intcatcher() can deadlock
http://bugs.python.org/issue10312  reopened by Claudiu.Popa

#21817: `concurrent.futures.ProcessPoolExecutor` swallows tracebacks
http://bugs.python.org/issue21817  opened by cool-RR

#21818: cookielib documentation references Cookie module, not cookieli
http://bugs.python.org/issue21818  opened by Ajtag

#21820: unittest: unhelpful truncating of long strings.
http://bugs.python.org/issue21820  opened by cjw296

#21821: The function cygwinccompiler.is_cygwingcc leads to FileNotFoun
http://bugs.python.org/issue21821  opened by paugier

#21822: KeyboardInterrupt during Thread.join hangs that Thread
http://bugs.python.org/issue21822  opened by tupl

#21825: Embedding-Python example code from documentation crashes
http://bugs.python.org/issue21825  opened by Pat.Le.Cat

#21826: Performance issue (+fix) AIX ctypes.util with no /sbin/ldconfi
http://bugs.python.org/issue21826  opened by tw.bert

#21827: textwrap.dedent() fails when largest common whitespace is a su
http://bugs.python.org/issue21827  opened by robertjli

#21830: ssl.wrap_socket fails on Windows 7 when specifying ca_certs
http://bugs.python.org/issue21830  opened by David.M.Noriega

#21833: Fix unicodeless build of Python
http://bugs.python.org/issue21833  opened by serhiy.storchaka

#21834: Fix a number of tests in unicodeless build
http://bugs.python.org/issue21834  opened by serhiy.storchaka

#21835: Fix Tkinter in unicodeless build
http://bugs.python.org/issue21835  opened by serhiy.storchaka

#21836: Fix sqlite3 in unicodeless build
http://bugs.python.org/issue21836  opened by serhiy.storchaka

#21837: Fix tarfile in unicodeless build
http://bugs.python.org/issue21837  opened by serhiy.storchaka

#21838: Fix ctypes in unicodeless build
http://bugs.python.org/issue21838  opened by serhiy.storchaka

#21839: Fix distutils in unicodeless build
http://bugs.python.org/issue21839  opened by serhiy.storchaka

#21840: Fix os.path in unicodeless build
http://bugs.python.org/issue21840  opened by serhiy.storchaka

#21841: Fix xml.sax in unicodeless build
http://bugs.python.org/issue21841  opened by serhiy.storchaka

#21842: Fix IDLE in unicodeless build
http://bugs.python.org/issue21842  opened by serhiy.storchaka

#21843: Fix doctest in unicodeless build
http://bugs.python.org/issue21843  opened by serhiy.storchaka

#21844: Fix HTMLParser in unicodeless build
http://bugs.python.org/issue21844  opened by serhiy.storchaka

#21845: Fix plistlib in unicodeless build
http://bugs.python.org/issue21845  opened by serhiy.storchaka

#21846: Fix zipfile in unicodeless build
http://bugs.python.org/issue21846  opened by serhiy.storchaka

#21847: Fix xmlrpc in unicodeless build
http://bugs.python.org/issue21847  opened by serhiy.storchaka

#21848: Fix logging  in unicodeless build
http://bugs.python.org/issue21848  opened by serhiy.storchaka

#21849: Fix multiprocessing for non-ascii data
http://bugs.python.org/issue21849  opened by serhiy.storchaka

#21850: Fix httplib and SimpleHTTPServer in unicodeless build
http://bugs.python.org/issue21850  opened by serhiy.storchaka

#21851: Fix gettext in unicodeless build
http://bugs.python.org/issue21851  opened by serhiy.storchaka

#21852: Fix optparse in unicodeless build
http://bugs.python.org/issue21852  opened by serhiy.storchaka

#21853: Fix inspect in unicodeless build
http://bugs.python.org/issue21853  opened by serhiy.storchaka

#21854: Fix cookielib in unicodeless build
http://bugs.python.org/issue21854  opened by serhiy.storchaka

#21855: Fix decimal in unicodeless build
http://bugs.python.org/issue21855  opened by serhiy.storchaka

#21856: memoryview: no overflow on large slice values (start, stop, st
http://bugs.python.org/issue21856  opened by haypo

#21857: assert that functions clearing the current exception are not c
http://bugs.python.org/issue21857  opened by haypo

#21859: Add Python implementation of FileIO
http://bugs.python.org/issue21859  opened by serhiy.storchaka

#21860: Correct FileIO docstrings
http://bugs.python.org/issue21860  opened by serhiy.storchaka

#21861: io class name are hardcoded in reprs
http://bugs.python.org/issue21861  opened by serhiy.storchaka

#21862: cProfile command-line should accept "-m module_name" as an alt
http://bugs.python.org/issue21862  opened by pitrou

#21863: Display module names of C functions in cProfile
http://bugs.python.org/issue21863  opened by pitrou

#21864: Error in documentation of point 9.8 'Exceptions are classes to
http://bugs.python.org/issue2

[Python-Dev] Summary of Python tracker Issues

2014-07-04 Thread Python tracker

ACTIVITY SUMMARY (2014-06-27 - 2014-07-04)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4603 (-40)
  closed 29086 (+82)
  total  33689 (+42)

Open issues with patches: 2150 


Issues opened (34)
==

#8631: subprocess.Popen.communicate(...) hangs on Windows
http://bugs.python.org/issue8631  reopened by terry.reedy

#20155: Regression test test_httpservers fails, hangs on Windows
http://bugs.python.org/issue20155  reopened by r.david.murray

#21876: os.rename(src,dst) does nothing when src and dst files are har
http://bugs.python.org/issue21876  opened by Aaron.Swan

#21877: External.bat and pcbuild of tkinter do not match.
http://bugs.python.org/issue21877  opened by terry.reedy

#21878: wsgi.simple_server's wsgi.input read/readline waits forever in
http://bugs.python.org/issue21878  opened by rschoon

#21879: str.format() gives poor diagnostic on placeholder mismatch
http://bugs.python.org/issue21879  opened by roysmith

#21880: IDLE: Ability to run 3rd party code checkers
http://bugs.python.org/issue21880  opened by sahutd

#21881: python cannot parse tcl value
http://bugs.python.org/issue21881  opened by schwab

#21882: turtledemo modules imported by test___all__ cause side effects
http://bugs.python.org/issue21882  opened by ned.deily

#21883: relpath: Provide better errors when mixing bytes and strings
http://bugs.python.org/issue21883  opened by Matt.Bachmann

#21885: shutil.copytree hangs (on copying root directory of a lxc cont
http://bugs.python.org/issue21885  opened by krichter

#21886: asyncio: Future.set_result() called on cancelled Future raises
http://bugs.python.org/issue21886  opened by haypo

#21888: plistlib.FMT_BINARY behavior doesn't send required dict parame
http://bugs.python.org/issue21888  opened by n8henrie

#21889: https://docs.python.org/2/library/multiprocessing.html#process
http://bugs.python.org/issue21889  opened by krichter

#21890: wsgiref.simple_server sends headers on empty bytes
http://bugs.python.org/issue21890  opened by rschoon

#21895: signal.pause() doesn't wake up on SIGCHLD in non-main thread
http://bugs.python.org/issue21895  opened by bkabrda

#21896: Unexpected ConnectionResetError in urllib.request against a va
http://bugs.python.org/issue21896  opened by Tymoteusz.Paul

#21897: frame.f_locals causes segfault on Python >=3.4.1
http://bugs.python.org/issue21897  opened by msmhrt

#21898: .hgignore: Missing ignores for Eclipse/pydev
http://bugs.python.org/issue21898  opened by andymaier

#21899: Futures are not marked as completed
http://bugs.python.org/issue21899  opened by Sebastian.Kreft.Deezer

#21901: test_selectors.PollSelectorTestCase.test_above_fd_setsize repo
http://bugs.python.org/issue21901  opened by r.david.murray

#21902: Docstring of math.acosh, asinh, and atanh
http://bugs.python.org/issue21902  opened by kdavies4

#21903: ctypes documentation MessageBoxA example produces error
http://bugs.python.org/issue21903  opened by Dan.O'Donovan

#21905: RuntimeError in pickle.whichmodule  when sys.modules if mutate
http://bugs.python.org/issue21905  opened by Olivier.Grisel

#21906: Tools\Scripts\md5sum.py doesn't work in Python 3.x
http://bugs.python.org/issue21906  opened by torrin

#21907: Update Windows build batch scripts
http://bugs.python.org/issue21907  opened by zach.ware

#21909: PyLong_FromString drops const
http://bugs.python.org/issue21909  opened by h.venev

#21910: File protocol should document if writelines must handle genera
http://bugs.python.org/issue21910  opened by JanKanis

#21911: "IndexError: tuple index out of range" should include the requ
http://bugs.python.org/issue21911  opened by cool-RR

#21913: Possible deadlock in threading.Condition.wait() in Python 2.7.
http://bugs.python.org/issue21913  opened by sangeeth

#21914: Create unit tests for Turtle guionly
http://bugs.python.org/issue21914  opened by Lita.Cho

#21915: telnetlib.Telnet constructor does not match telnetlib.Telnet._
http://bugs.python.org/issue21915  opened by yaneurabeya

#21916: Create unit tests for turtle textonly
http://bugs.python.org/issue21916  opened by ingrid

#21917: Python 2.7.7 Tests fail, and math is faulty
http://bugs.python.org/issue21917  opened by repcsike



Most recent 15 issues with no replies (15)
==

#21916: Create unit tests for turtle textonly
http://bugs.python.org/issue21916

#21909: PyLong_FromString drops const
http://bugs.python.org/issue21909

#21899: Futures are not marked as completed
http://bugs.python.org/issue21899

#21898: .hgignore: Missing ignores for Eclipse/pydev
http://bugs.python.org/issue21898

#21889: https://docs.python.org/2/library/multiprocessing.html#process
http://bugs.python.org/issue21889

#21885: shutil.copytree hangs (on copying root directory of a lxc cont
http://bugs.python

[Python-Dev] Summary of Python tracker Issues

2014-07-11 Thread Python tracker

ACTIVITY SUMMARY (2014-07-04 - 2014-07-11)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4588 (-15)
  closed 29141 (+55)
  total  33729 (+40)

Open issues with patches: 2151 


Issues opened (24)
==

#21918: Convert test_tools to directory
http://bugs.python.org/issue21918  opened by serhiy.storchaka

#21919: Changing cls.__bases__ must ensure proper metaclass inheritanc
http://bugs.python.org/issue21919  opened by abusalimov

#21922: PyLong: use GMP
http://bugs.python.org/issue21922  opened by h.venev

#21925: ResouceWarning sometimes doesn't display
http://bugs.python.org/issue21925  opened by msmhrt

#21927: BOM appears in stdin when using Powershell
http://bugs.python.org/issue21927  opened by jason.coombs

#21928: Incorrect reference to partial() in functools.wraps documentat
http://bugs.python.org/issue21928  opened by Dustin.Oprea

#21929: Rounding properly
http://bugs.python.org/issue21929  opened by jeroen1225

#21931: Nonsense errors reported by msilib.FCICreate for bad argument
http://bugs.python.org/issue21931  opened by Jeffrey.Armstrong

#21933: Allow the user to change font sizes with the text pane of turt
http://bugs.python.org/issue21933  opened by Lita.Cho

#21934: OpenBSD has no /dev/full device
http://bugs.python.org/issue21934  opened by Daniel.Dickman

#21935: Implement AUTH command in smtpd.
http://bugs.python.org/issue21935  opened by zvyn

#21937: IDLE interactive window doesn't display unsaved-indicator
http://bugs.python.org/issue21937  opened by rhettinger

#21939: IDLE - Test Percolator
http://bugs.python.org/issue21939  opened by sahutd

#21941: Clean up turtle TPen class
http://bugs.python.org/issue21941  opened by ingrid

#21944: Allow copying of CodecInfo objects
http://bugs.python.org/issue21944  opened by lehmannro

#21946: 'python -u' yields trailing carriage return '\r'  (Python2 for
http://bugs.python.org/issue21946  opened by msp

#21947: `Dis` module doesn't know how to disassemble generators
http://bugs.python.org/issue21947  opened by hakril

#21949: Document the Py_SIZE() macro.
http://bugs.python.org/issue21949  opened by gregory.p.smith

#21951: tcl test change crashes AIX
http://bugs.python.org/issue21951  opened by David.Edelsohn

#21952: fnmatch.py can appear in tracemalloc diffs
http://bugs.python.org/issue21952  opened by pitrou

#21953: pythonrun.c does not check std streams the same as fileio.c
http://bugs.python.org/issue21953  opened by steve.dower

#21955: ceval.c: implement fast path for integers with a single digit
http://bugs.python.org/issue21955  opened by haypo

#21956: Doc files deleted from repo are not deleted from docs.python.o
http://bugs.python.org/issue21956  opened by brandon-rhodes

#21957: ASCII Formfeed (FF) & ASCII Vertical Tab (VT) Have Hexadecimal
http://bugs.python.org/issue21957  opened by Zero



Most recent 15 issues with no replies (15)
==

#21957: ASCII Formfeed (FF) & ASCII Vertical Tab (VT) Have Hexadecimal
http://bugs.python.org/issue21957

#21955: ceval.c: implement fast path for integers with a single digit
http://bugs.python.org/issue21955

#21951: tcl test change crashes AIX
http://bugs.python.org/issue21951

#21949: Document the Py_SIZE() macro.
http://bugs.python.org/issue21949

#21944: Allow copying of CodecInfo objects
http://bugs.python.org/issue21944

#21941: Clean up turtle TPen class
http://bugs.python.org/issue21941

#21937: IDLE interactive window doesn't display unsaved-indicator
http://bugs.python.org/issue21937

#21935: Implement AUTH command in smtpd.
http://bugs.python.org/issue21935

#21933: Allow the user to change font sizes with the text pane of turt
http://bugs.python.org/issue21933

#21931: Nonsense errors reported by msilib.FCICreate for bad argument
http://bugs.python.org/issue21931

#21928: Incorrect reference to partial() in functools.wraps documentat
http://bugs.python.org/issue21928

#21919: Changing cls.__bases__ must ensure proper metaclass inheritanc
http://bugs.python.org/issue21919

#21916: Create unit tests for turtle textonly
http://bugs.python.org/issue21916

#21909: PyLong_FromString drops const
http://bugs.python.org/issue21909

#21899: Futures are not marked as completed
http://bugs.python.org/issue21899



Most recent 15 issues waiting for review (15)
=

#21953: pythonrun.c does not check std streams the same as fileio.c
http://bugs.python.org/issue21953

#21947: `Dis` module doesn't know how to disassemble generators
http://bugs.python.org/issue21947

#21944: Allow copying of CodecInfo objects
http://bugs.python.org/issue21944

#21941: Clean up turtle TPen class
http://bugs.python.org/issue21941

#21939: IDLE - Test Percolator
http://bugs.python.org/issue21939

#21935: Implement AUTH comman

[Python-Dev] Summary of Python tracker Issues

2014-07-18 Thread Python tracker

ACTIVITY SUMMARY (2014-07-11 - 2014-07-18)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4589 ( +1)
  closed 29188 (+47)
  total  33777 (+48)

Open issues with patches: 2154 


Issues opened (36)
==

#21044: tarfile does not handle file .name being an int
http://bugs.python.org/issue21044  reopened by zach.ware

#21946: 'python -u' yields trailing carriage return '\r'  (Python2 for
http://bugs.python.org/issue21946  reopened by haypo

#21950: import sqlite3 not running after configure --prefix=/alt/path;
http://bugs.python.org/issue21950  reopened by r.david.murray

#21958: Allow python 2.7 to compile with Visual Studio 2013
http://bugs.python.org/issue21958  opened by Zachary.Turner

#21960: Better path handling in Idle find in files
http://bugs.python.org/issue21960  opened by terry.reedy

#21961: Add What's New for Idle.
http://bugs.python.org/issue21961  opened by terry.reedy

#21962: No timeout for asyncio.Event.wait() or asyncio.Condition.wait(
http://bugs.python.org/issue21962  opened by ajaborsk

#21963: 2.7.8 backport of Issue1856 (avoid daemon thread problems at s
http://bugs.python.org/issue21963  opened by ned.deily

#21964: inconsistency in list-generator comprehension with yield(-from
http://bugs.python.org/issue21964  opened by hakril

#21965: Add support for Memory BIO to _ssl
http://bugs.python.org/issue21965  opened by geertj

#21967: Interpreter crash upon accessing frame.f_restricted of a frame
http://bugs.python.org/issue21967  opened by anselm.kruis

#21969: WindowsPath constructor does not check for invalid characters
http://bugs.python.org/issue21969  opened by Antony.Lee

#21970: Broken code for handling file://host in urllib.request.FileHan
http://bugs.python.org/issue21970  opened by vadmium

#21971: Index and update turtledemo doc.
http://bugs.python.org/issue21971  opened by terry.reedy

#21972: Bugs in the lexer and parser documentation
http://bugs.python.org/issue21972  opened by François-René.Rideau

#21973: Idle should not quit on corrupted user config files
http://bugs.python.org/issue21973  opened by Tomk

#21975: Using pickled/unpickled sqlite3.Row results in segfault rather
http://bugs.python.org/issue21975  opened by Elizacat

#21976: Fix test_ssl.py to handle LibreSSL versioning appropriately
http://bugs.python.org/issue21976  opened by worr

#21980: Implement `logging.LogRecord.__repr__`
http://bugs.python.org/issue21980  opened by cool-RR

#21983: segfault in ctypes.cast
http://bugs.python.org/issue21983  opened by Anthony.LaTorre

#21986: Pickleability of code objects is inconsistent
http://bugs.python.org/issue21986  opened by ppperry

#21987: TarFile.getmember on directory requires trailing slash iff ove
http://bugs.python.org/issue21987  opened by moloney

#21989: Missing (optional) argument `start` and `end` in documentation
http://bugs.python.org/issue21989  opened by SylvainDe

#21990: saxutils defines an inner class where a normal one would do
http://bugs.python.org/issue21990  opened by alex

#21991: The new email API should use MappingProxyType instead of retur
http://bugs.python.org/issue21991  opened by r.david.murray

#21992: New AST node Else() should be introduced
http://bugs.python.org/issue21992  opened by Igor.Bronshteyn

#21995: Idle: pseudofiles have no buffer attribute.
http://bugs.python.org/issue21995  opened by terry.reedy

#21996: gettarinfo method does not handle files without text string na
http://bugs.python.org/issue21996  opened by vadmium

#21997: Pdb.set_trace debugging does not end correctly in IDLE
http://bugs.python.org/issue21997  opened by ppperry

#21998: asyncio: a new self-pipe should be created in the child proces
http://bugs.python.org/issue21998  opened by haypo

#21999: shlex: bug in posix more handling of empty strings
http://bugs.python.org/issue21999  opened by isoschiz

#22000: cross type comparisons clarification
http://bugs.python.org/issue22000  opened by Jim.Jewett

#22001: containers "same" does not always mean "__eq__".
http://bugs.python.org/issue22001  opened by Jim.Jewett

#22002: Make full use of test discovery in test subpackages
http://bugs.python.org/issue22002  opened by zach.ware

#22003: BytesIO copy-on-write
http://bugs.python.org/issue22003  opened by dw

#22005: datetime.__setstate__ fails decoding python2 pickle
http://bugs.python.org/issue22005  opened by eddygeek



Most recent 15 issues with no replies (15)
==

#22005: datetime.__setstate__ fails decoding python2 pickle
http://bugs.python.org/issue22005

#22000: cross type comparisons clarification
http://bugs.python.org/issue22000

#21999: shlex: bug in posix more handling of empty strings
http://bugs.python.org/issue21999

#21998: asyncio: a new self-pipe should be created in the child proces
http://bugs

[Python-Dev] Summary of Python tracker Issues

2014-07-25 Thread Python tracker

ACTIVITY SUMMARY (2014-07-18 - 2014-07-25)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4591 ( +2)
  closed 29248 (+60)
  total  33839 (+62)

Open issues with patches: 2160 


Issues opened (42)
==

#19884: Importing readline produces erroneous output
http://bugs.python.org/issue19884  reopened by haypo

#22010: Idle: better management of Shell window output
http://bugs.python.org/issue22010  opened by terry.reedy

#22011: test_os extended attribute setxattr tests can fail with ENOSPC
http://bugs.python.org/issue22011  opened by Hibou57

#22012: struct.unpack('?', '\x02') returns (False,) on Mac OSX
http://bugs.python.org/issue22012  opened by wayedt

#22013: Add at least minimal support for thread groups
http://bugs.python.org/issue22013  opened by rhettinger

#22014: Add summary table for OS exception <-> errno mapping
http://bugs.python.org/issue22014  opened by ncoghlan

#22016: Add a new 'surrogatereplace' output only error handler
http://bugs.python.org/issue22016  opened by ncoghlan

#22018: Add a new signal.set_wakeup_socket() function
http://bugs.python.org/issue22018  opened by haypo

#22021: shutil.make_archive()  root_dir do not work
http://bugs.python.org/issue22021  opened by DemoHT

#22023: PyUnicode_FromFormat is broken on python 2
http://bugs.python.org/issue22023  opened by alex

#22024: Add to shutil the ability to wait until files are definitely d
http://bugs.python.org/issue22024  opened by zach.ware

#22025: webbrowser.get(command_line) does not support Windows-style pa
http://bugs.python.org/issue22025  opened by dan.oreilly

#22027: RFC 6531 (SMTPUTF8) support in smtplib
http://bugs.python.org/issue22027  opened by zvyn

#22028: Python 3.4.1 Installer ended prematurely (Windows msi)
http://bugs.python.org/issue22028  opened by DieInSente

#22029: argparse - CSS white-space: like control for individual text b
http://bugs.python.org/issue22029  opened by paul.j3

#22033: Subclass friendly reprs
http://bugs.python.org/issue22033  opened by serhiy.storchaka

#22034: posixpath.join() and bytearray
http://bugs.python.org/issue22034  opened by serhiy.storchaka

#22035: Fatal error in dbm.gdbm
http://bugs.python.org/issue22035  opened by serhiy.storchaka

#22038: Implement atomic operations on non-x86 platforms
http://bugs.python.org/issue22038  opened by Vitor.de.Lima

#22039: PyObject_SetAttr doesn't mention value = NULL
http://bugs.python.org/issue22039  opened by pitrou

#22041: http POST request with python 3.3 through web proxy
http://bugs.python.org/issue22041  opened by AlexMJ

#22042: signal.set_wakeup_fd(fd): set the fd to non-blocking mode
http://bugs.python.org/issue22042  opened by haypo

#22043: Use a monotonic clock to compute timeouts
http://bugs.python.org/issue22043  opened by haypo

#22044: Premature Py_DECREF while generating a TypeError in call_tzinf
http://bugs.python.org/issue22044  opened by Knio

#22045: Python make issue
http://bugs.python.org/issue22045  opened by skerr

#22046: ZipFile.read() should mention that it might throw NotImplement
http://bugs.python.org/issue22046  opened by detly

#22047: argparse improperly prints mutually exclusive options when the
http://bugs.python.org/issue22047  opened by Sam.Kerr

#22049: argparse: type= doesn't honor nargs > 1
http://bugs.python.org/issue22049  opened by Chris.Bruner

#22051: Turtledemo: stop reloading demos
http://bugs.python.org/issue22051  opened by terry.reedy

#22052: Comparison operators called in reverse order for subclasses wi
http://bugs.python.org/issue22052  opened by mark.dickinson

#22054: Add os.get_blocking() and os.set_blocking() functions
http://bugs.python.org/issue22054  opened by haypo

#22057: The doc say all globals are copied on eval(), but only __built
http://bugs.python.org/issue22057  opened by amishne

#22058: datetime.datetime() should accept a datetime.date as init para
http://bugs.python.org/issue22058  opened by facundobatista

#22059: incorrect type conversion from str to bytes in asynchat module
http://bugs.python.org/issue22059  opened by hoxily

#22060: Clean up ctypes.test, use unittest test discovery
http://bugs.python.org/issue22060  opened by zach.ware

#22062: Fix pathlib.Path.(r)glob doc glitches.
http://bugs.python.org/issue22062  opened by terry.reedy

#22063: asyncio: sock_xxx() methods of event loops should make the soc
http://bugs.python.org/issue22063  opened by haypo

#22064: Misleading message from 2to3 when skipping optional fixers
http://bugs.python.org/issue22064  opened by ncoghlan

#22065: Update turtledemo menu creation
http://bugs.python.org/issue22065  opened by terry.reedy

#22066: subprocess.communicate() does not receive full output from the
http://bugs.python.org/issue22066  opened by juj

#22067: time_test fails after strptime()
http://bugs.

[Python-Dev] Summary of Python tracker Issues

2014-08-01 Thread Python tracker

ACTIVITY SUMMARY (2014-07-25 - 2014-08-01)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4592 ( +1)
  closed 29297 (+49)
  total  33889 (+50)

Open issues with patches: 2163 


Issues opened (34)
==

#11271: concurrent.futures.ProcessPoolExecutor.map() doesn't batch fun
http://bugs.python.org/issue11271  reopened by pitrou

#22063: asyncio: sock_xxx() methods of event loops should check ath so
http://bugs.python.org/issue22063  reopened by haypo

#22069: TextIOWrapper(newline="\n", line_buffering=True) mistakenly tr
http://bugs.python.org/issue22069  opened by akira

#22070: Use the _functools module to speed up functools.total_ordering
http://bugs.python.org/issue22070  opened by ncoghlan

#22071: Remove long-time deprecated attributes from smtpd
http://bugs.python.org/issue22071  opened by zvyn

#22077: Improve the error message for various sequences
http://bugs.python.org/issue22077  opened by Claudiu.Popa

#22079: Ensure in PyType_Ready() that base class of static type is sta
http://bugs.python.org/issue22079  opened by serhiy.storchaka

#22080: Add windows_helper module helper
http://bugs.python.org/issue22080  opened by Claudiu.Popa

#22083: Refactor PyShell's breakpoint related methods
http://bugs.python.org/issue22083  opened by sahutd

#22086: Tab indent no longer works in interpreter
http://bugs.python.org/issue22086  opened by Azendale

#22087: _UnixDefaultEventLoopPolicy should either create a new loop or
http://bugs.python.org/issue22087  opened by dan.oreilly

#22088: base64 module still ignores non-alphabet characters
http://bugs.python.org/issue22088  opened by Julian

#22090: Decimal and float formatting treat '%' differently for infinit
http://bugs.python.org/issue22090  opened by mark.dickinson

#22091: __debug__ in compile(optimize=1)
http://bugs.python.org/issue22091  opened by arigo

#22092: Executing some tests inside Lib/unittest/test individually thr
http://bugs.python.org/issue22092  opened by vajrasky

#22093: Compiling python on OS X gives warning about compact unwind
http://bugs.python.org/issue22093  opened by vajrasky

#22094: oss_audio_device.write(data) produces short writes
http://bugs.python.org/issue22094  opened by akira

#22095: Use of set_tunnel with default port results in incorrect post 
http://bugs.python.org/issue22095  opened by demian.brecht

#22097: Linked list API for ordereddict
http://bugs.python.org/issue22097  opened by pitrou

#22098: Behavior of Structure inconsistent with BigEndianStructure whe
http://bugs.python.org/issue22098  opened by Florian.Dold

#22100: Use $HOSTPYTHON when determining candidate interpreter for $PY
http://bugs.python.org/issue22100  opened by shiz

#22102: Zipfile generates Zipfile error in zip with 0 total number of 
http://bugs.python.org/issue22102  opened by Guillaume.Carre

#22103: bdist_wininst does not run install script
http://bugs.python.org/issue22103  opened by mb_

#22104: test_asyncio unstable in refleak mode
http://bugs.python.org/issue22104  opened by pitrou

#22105: Hang during File "Save As"
http://bugs.python.org/issue22105  opened by Joe

#22107: tempfile module misinterprets access denied error on Windows
http://bugs.python.org/issue22107  opened by rupole

#22110: enable extra compilation warnings
http://bugs.python.org/issue22110  opened by neologix

#22112: '_UnixSelectorEventLoop' object has no attribute 'create_task'
http://bugs.python.org/issue22112  opened by pydanny

#22113: memoryview and struct.pack_into
http://bugs.python.org/issue22113  opened by stangelandcl

#22114: You cannot call communicate() safely after receiving an except
http://bugs.python.org/issue22114  opened by amrith

#22115: Add new methods to trace Tkinter variables
http://bugs.python.org/issue22115  opened by serhiy.storchaka

#22116: Weak reference support for C function objects
http://bugs.python.org/issue22116  opened by pitrou

#22117: Rewrite pytime.h to work on nanoseconds
http://bugs.python.org/issue22117  opened by haypo

#22118: urljoin fails with messy relative URLs
http://bugs.python.org/issue22118  opened by Mike.Lissner



Most recent 15 issues with no replies (15)
==

#22116: Weak reference support for C function objects
http://bugs.python.org/issue22116

#22115: Add new methods to trace Tkinter variables
http://bugs.python.org/issue22115

#22107: tempfile module misinterprets access denied error on Windows
http://bugs.python.org/issue22107

#22105: Hang during File "Save As"
http://bugs.python.org/issue22105

#22103: bdist_wininst does not run install script
http://bugs.python.org/issue22103

#22102: Zipfile generates Zipfile error in zip with 0 total number of 
http://bugs.python.org/issue22102

#22098: Behavior of Structure inconsistent with Bi

[Python-Dev] Summary of Python tracker Issues

2014-08-08 Thread Python tracker

ACTIVITY SUMMARY (2014-08-01 - 2014-08-08)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4602 (+10)
  closed 29340 (+43)
  total  33942 (+53)

Open issues with patches: 2177 


Issues opened (39)
==

#21039: pathlib strips trailing slash
http://bugs.python.org/issue21039  reopened by pitrou

#21591: "exec(a, b, c)" not the same as "exec a in b, c" in nested fun
http://bugs.python.org/issue21591  reopened by Arfrever

#22121: IDLE should start with HOME as the initial working directory
http://bugs.python.org/issue22121  opened by mark

#22123: Provide a direct function for types.SimpleNamespace()
http://bugs.python.org/issue22123  opened by mark

#22125: Cure signedness warnings introduced by #22003
http://bugs.python.org/issue22125  opened by dw

#22126: mc68881 fpcr inline asm breaks clang -flto build
http://bugs.python.org/issue22126  opened by ivank

#22128: patch: steer people away from codecs.open
http://bugs.python.org/issue22128  opened by Frank.van.Dijk

#22131: uuid.bytes optimization
http://bugs.python.org/issue22131  opened by kevinlondon

#22133: IDLE: Set correct WM_CLASS on X11
http://bugs.python.org/issue22133  opened by sahutd

#22135: allow to break into pdb with Ctrl-C for all the commands that 
http://bugs.python.org/issue22135  opened by xdegaye

#22137: Test imaplib API on all methods specified in RFC 3501
http://bugs.python.org/issue22137  opened by zvyn

#22138: patch.object doesn't restore function defaults
http://bugs.python.org/issue22138  opened by chepner

#22139: python windows 2.7.8 64-bit wrong binary version
http://bugs.python.org/issue22139  opened by Andreas.Richter

#22140: "python-config --includes" returns a wrong path (double prefix
http://bugs.python.org/issue22140  opened by Michael.Dussere

#22141: rlcompleter.Completer matches too much
http://bugs.python.org/issue22141  opened by donlorenzo

#22143: rlcompleter.Completer has duplicate matches
http://bugs.python.org/issue22143  opened by donlorenzo

#22144: ellipsis needs better display in lexer documentation
http://bugs.python.org/issue22144  opened by François-René.Rideau

#22145: <> in parser spec but not lexer spec
http://bugs.python.org/issue22145  opened by François-René.Rideau

#22147: PosixPath() constructor should not accept strings with embedde
http://bugs.python.org/issue22147  opened by ischwabacher

#22148: frozen.c should #include  instead of "importlib.h
http://bugs.python.org/issue22148  opened by jbeck

#22149: the frame of a suspended generator should not have a local tra
http://bugs.python.org/issue22149  opened by xdegaye

#22150: deprecated-removed directive is broken in Sphinx 1.2.2
http://bugs.python.org/issue22150  opened by berker.peksag

#22153: There is no standard TestCase.runTest implementation
http://bugs.python.org/issue22153  opened by vadmium

#22154: ZipFile.open context manager support
http://bugs.python.org/issue22154  opened by Ralph.Broenink

#22155: Out of date code example for tkinter's createfilehandler
http://bugs.python.org/issue22155  opened by vadmium

#22156: Fix compiler warnings
http://bugs.python.org/issue22156  opened by haypo

#22157: FAIL: test_with_pip (test.test_venv.EnsurePipTest)
http://bugs.python.org/issue22157  opened by snehal

#22158: RFC 6531 (SMTPUTF8) support in smtpd.PureProxy
http://bugs.python.org/issue22158  opened by zvyn

#22159: smtpd.PureProxy and smtpd.DebuggingServer do not work with dec
http://bugs.python.org/issue22159  opened by zvyn

#22160: Windows installers need to be updated following OpenSSL securi
http://bugs.python.org/issue22160  opened by alex

#22161: Remove unsupported code from ctypes
http://bugs.python.org/issue22161  opened by serhiy.storchaka

#22163: max_wbits set incorrectly to -zlib.MAX_WBITS in tarfile, shoul
http://bugs.python.org/issue22163  opened by edulix

#22164: cell object cleared too early?
http://bugs.python.org/issue22164  opened by pitrou

#22165: Empty response from http.server when directory listing contain
http://bugs.python.org/issue22165  opened by jleedev

#22166: test_codecs "leaking" references
http://bugs.python.org/issue22166  opened by zach.ware

#22167: iglob() has misleading documentation (does indeed store names 
http://bugs.python.org/issue22167  opened by roysmith

#22168: Turtle Graphics RawTurtle problem
http://bugs.python.org/issue22168  opened by Kent.D..Lee

#22171: stack smash when using ctypes/libffi to access union
http://bugs.python.org/issue22171  opened by wes.kerfoot

#22173: Update lib2to3.tests and test_lib2to3 to use test discovery
http://bugs.python.org/issue22173  opened by zach.ware



Most recent 15 issues with no replies (15)
==

#22173: Update lib2to3.tests and test_lib2to3 to use test discovery
http://bugs.python

[Python-Dev] Summary of Python tracker Issues

2014-08-15 Thread Python tracker

ACTIVITY SUMMARY (2014-08-08 - 2014-08-15)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4602 ( +0)
  closed 29371 (+31)
  total  33973 (+31)

Open issues with patches: 2175 


Issues opened (23)
==

#21166: Bus error in pybuilddir.txt 'python -m sysconfigure --generate
http://bugs.python.org/issue21166  reopened by ned.deily

#22176: update internal libffi copy to 3.1, introducing AArch64 and PO
http://bugs.python.org/issue22176  opened by doko

#22177: Incorrect version reported after downgrade
http://bugs.python.org/issue22177  opened by jpe5605

#22179: Focus stays on Search Dialog when text found in editor
http://bugs.python.org/issue22179  opened by BreamoreBoy

#22181: os.urandom() should use Linux 3.17 getrandom() syscall
http://bugs.python.org/issue22181  opened by haypo

#22182: distutils.file_util.move_file unpacks wrongly an exception
http://bugs.python.org/issue22182  opened by Claudiu.Popa

#22185: Occasional RuntimeError from Condition.notify
http://bugs.python.org/issue22185  opened by dougz

#22186: Typos in .py files
http://bugs.python.org/issue22186  opened by iwontbecreative

#22187: commands.mkarg() buggy in East Asian locales
http://bugs.python.org/issue22187  opened by jwilk

#22188: test_gdb fails on invalid gdbinit
http://bugs.python.org/issue22188  opened by lekensteyn

#22189: collections.UserString missing some str methods
http://bugs.python.org/issue22189  opened by ncoghlan

#22191: warnings.__all__ incomplete
http://bugs.python.org/issue22191  opened by pitrou

#22192: dict_values objects are hashable
http://bugs.python.org/issue22192  opened by roippi

#22193: Add _PySys_GetSizeOf()
http://bugs.python.org/issue22193  opened by serhiy.storchaka

#22194: access to cdecimal / libmpdec API
http://bugs.python.org/issue22194  opened by pitrou

#22195: Make it easy to replace print() calls with logging calls
http://bugs.python.org/issue22195  opened by pitrou

#22196: namedtuple documentation could/should mention the new Enum typ
http://bugs.python.org/issue22196  opened by lelit

#22197: Allow better verbosity / output control in test cases
http://bugs.python.org/issue22197  opened by pitrou

#22198: Odd floor-division corner case
http://bugs.python.org/issue22198  opened by mark.dickinson

#22199: 2.7 sysconfig._get_makefile_filename should be sysconfig.get_m
http://bugs.python.org/issue22199  opened by jamercee

#22200: Remove distutils checks for Python version
http://bugs.python.org/issue22200  opened by takluyver

#22201: python -mzipfile fails to unzip files with folders created by 
http://bugs.python.org/issue22201  opened by Antony.Lee

#22203: inspect.getargspec() returns wrong spec for builtins
http://bugs.python.org/issue22203  opened by suor



Most recent 15 issues with no replies (15)
==

#22201: python -mzipfile fails to unzip files with folders created by 
http://bugs.python.org/issue22201

#22200: Remove distutils checks for Python version
http://bugs.python.org/issue22200

#22197: Allow better verbosity / output control in test cases
http://bugs.python.org/issue22197

#22196: namedtuple documentation could/should mention the new Enum typ
http://bugs.python.org/issue22196

#22194: access to cdecimal / libmpdec API
http://bugs.python.org/issue22194

#22189: collections.UserString missing some str methods
http://bugs.python.org/issue22189

#22188: test_gdb fails on invalid gdbinit
http://bugs.python.org/issue22188

#22181: os.urandom() should use Linux 3.17 getrandom() syscall
http://bugs.python.org/issue22181

#22179: Focus stays on Search Dialog when text found in editor
http://bugs.python.org/issue22179

#22173: Update lib2to3.tests and test_lib2to3 to use test discovery
http://bugs.python.org/issue22173

#22164: cell object cleared too early?
http://bugs.python.org/issue22164

#22163: max_wbits set incorrectly to -zlib.MAX_WBITS in tarfile, shoul
http://bugs.python.org/issue22163

#22159: smtpd.PureProxy and smtpd.DebuggingServer do not work with dec
http://bugs.python.org/issue22159

#22158: RFC 6531 (SMTPUTF8) support in smtpd.PureProxy
http://bugs.python.org/issue22158

#22153: There is no standard TestCase.runTest implementation
http://bugs.python.org/issue22153



Most recent 15 issues waiting for review (15)
=

#22200: Remove distutils checks for Python version
http://bugs.python.org/issue22200

#22199: 2.7 sysconfig._get_makefile_filename should be sysconfig.get_m
http://bugs.python.org/issue22199

#22193: Add _PySys_GetSizeOf()
http://bugs.python.org/issue22193

#22186: Typos in .py files
http://bugs.python.org/issue22186

#22185: Occasional RuntimeError from Condition.notify
http://bugs.python.org/issue22185

#22182: distutils.file_util.move_file unpacks wrongly an exception
http://bugs.python.org/issue22182

#

[Python-Dev] Summary of Python tracker Issues

2014-08-22 Thread Python tracker

ACTIVITY SUMMARY (2014-08-15 - 2014-08-22)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4621 (+19)
  closed 29399 (+28)
  total  34020 (+47)

Open issues with patches: 2179 


Issues opened (41)
==

#22207: Test for integer overflow on Py_ssize_t: explicitly cast to si
http://bugs.python.org/issue22207  opened by haypo

#22208: tarfile can't add in memory files (reopened)
http://bugs.python.org/issue22208  opened by markgrandi

#22209: Idle: add better access to extension information
http://bugs.python.org/issue22209  opened by terry.reedy

#22210: pdb-run-restarting-a-pdb-session
http://bugs.python.org/issue22210  opened by zhengxiexie

#22211: Remove VMS specific code in expat.h  & xmlrole.h
http://bugs.python.org/issue22211  opened by John.Malmberg

#22212: zipfile.py fails if  zlib.so module fails to build.
http://bugs.python.org/issue22212  opened by John.Malmberg

#22213: pyvenv style virtual environments unusable in an embedded syst
http://bugs.python.org/issue22213  opened by grahamd

#22214: Tkinter: Don't stringify callbacks arguments
http://bugs.python.org/issue22214  opened by serhiy.storchaka

#22215: "embedded NUL character" exceptions
http://bugs.python.org/issue22215  opened by serhiy.storchaka

#22216: smtplip STARTTLS fails at second attampt due to unsufficiant q
http://bugs.python.org/issue22216  opened by zvyn

#22217: Reprs for zipfile classes
http://bugs.python.org/issue22217  opened by serhiy.storchaka

#22218: Fix more compiler warnings "comparison between signed and unsi
http://bugs.python.org/issue22218  opened by haypo

#22219: python -mzipfile fails to add empty folders to created zip
http://bugs.python.org/issue22219  opened by Antony.Lee

#0: Ttk extensions test failure
http://bugs.python.org/issue0  opened by serhiy.storchaka

#1: ast.literal_eval confused by coding declarations
http://bugs.python.org/issue1  opened by jorgenschaefer

#2: dtoa.c: remove custom memory allocator
http://bugs.python.org/issue2  opened by haypo

#3: argparse not including '--' arguments in previous optional REM
http://bugs.python.org/issue3  opened by Jurko.Gospodnetić

#5: Add SQLite support to http.cookiejar
http://bugs.python.org/issue5  opened by demian.brecht

#6: Refactor dict result handling in Tkinter
http://bugs.python.org/issue6  opened by serhiy.storchaka

#7: Simplify tarfile iterator
http://bugs.python.org/issue7  opened by serhiy.storchaka

#8: Adapt bash readline operate-and-get-next function
http://bugs.python.org/issue8  opened by lelit

#9: wsgiref doesn't appear to ever set REMOTE_HOST in the environ
http://bugs.python.org/issue9  opened by alex

#22231: httplib: unicode url will cause an ascii codec error when comb
http://bugs.python.org/issue22231  opened by Bob.Chen

#22232: str.splitlines splitting on none-\r\n characters
http://bugs.python.org/issue22232  opened by scharron

#22233: http.client splits headers on none-\r\n characters
http://bugs.python.org/issue22233  opened by scharron

#22234: urllib.parse.urlparse accepts any falsy value as an url
http://bugs.python.org/issue22234  opened by Ztane

#22235: httplib: TypeError with file() object in ssl.py
http://bugs.python.org/issue22235  opened by erob

#22236: Do not use _default_root in Tkinter tests
http://bugs.python.org/issue22236  opened by serhiy.storchaka

#22237: sorted() docs should state that the sort is stable
http://bugs.python.org/issue22237  opened by Wilfred.Hughes

#22239: asyncio: nested event loop
http://bugs.python.org/issue22239  opened by djarb

#22240: argparse support for "python -m module" in help
http://bugs.python.org/issue22240  opened by tebeka

#22241: strftime/strptime round trip fails even for UTC datetime objec
http://bugs.python.org/issue22241  opened by akira

#22242: Doc fix in the Import section in language reference.
http://bugs.python.org/issue22242  opened by jon.poler

#22243: Documentation on try statement incorrectly implies target of e
http://bugs.python.org/issue22243  opened by mwilliamson

#22244: load_verify_locations fails to handle unicode paths on Python 
http://bugs.python.org/issue22244  opened by alex

#22246: add strptime(s, '%s')
http://bugs.python.org/issue22246  opened by akira

#22247: More incomplete module.__all__ lists
http://bugs.python.org/issue22247  opened by vadmium

#22248: urllib.request.urlopen raises exception when 30X-redirect url 
http://bugs.python.org/issue22248  opened by tomasgroth

#22249: Possibly incorrect example is given for socket.getaddrinfo()
http://bugs.python.org/issue22249  opened by Alexander.Patrakov

#22250: unittest lowercase methods
http://bugs.python.org/issue22250  opened by simonzack

#22251: Various markup errors in documentation
ht

[Python-Dev] Summary of Python tracker Issues

2014-08-29 Thread Python tracker

ACTIVITY SUMMARY (2014-08-22 - 2014-08-29)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4638 (+17)
  closed 29431 (+32)
  total  34069 (+49)

Open issues with patches: 2193 


Issues opened (41)
==

#17095: Modules/Setup *shared* support broken
http://bugs.python.org/issue17095  reopened by haypo

#22200: Remove distutils checks for Python version
http://bugs.python.org/issue22200  reopened by Arfrever

#22232: str.splitlines splitting on non-\r\n characters
http://bugs.python.org/issue22232  reopened by terry.reedy

#22252: ssl blocking IO errors
http://bugs.python.org/issue22252  opened by h.venev

#22253: ConfigParser does not handle files without sections
http://bugs.python.org/issue22253  opened by kernc

#22255: Multiprocessing freeze_support raises RuntimeError
http://bugs.python.org/issue22255  opened by Michael.McAuliffe

#22256: pyvenv should display a progress indicator while creating an e
http://bugs.python.org/issue22256  opened by ncoghlan

#22257: PEP 432: Redesign the interpreter startup sequence
http://bugs.python.org/issue22257  opened by ncoghlan

#22258: set_inheritable(): ioctl(FIOCLEX) is available but fails with 
http://bugs.python.org/issue22258  opened by igor.pashev

#22260: Rearrange tkinter tests, use test discovery
http://bugs.python.org/issue22260  opened by zach.ware

#22261: Document how to use Concurrent Build when using MsBuild
http://bugs.python.org/issue22261  opened by sbspider

#22263: Add a resource for CLI tests
http://bugs.python.org/issue22263  opened by serhiy.storchaka

#22264: Add wsgiref.util helpers for dealing with "WSGI strings"
http://bugs.python.org/issue22264  opened by ncoghlan

#22268: mrohasattr and mrogetattr
http://bugs.python.org/issue22268  opened by Gregory.Salvan

#22269: Resolve distutils option conflicts with priorities
http://bugs.python.org/issue22269  opened by minrk

#22270: cache version selection for documentation
http://bugs.python.org/issue22270  opened by thejj

#22271: Deprecate PyUnicode_AsUnicode(): emit a DeprecationWarning
http://bugs.python.org/issue22271  opened by haypo

#22273: abort when passing certain structs by value using ctypes
http://bugs.python.org/issue22273  opened by weeble

#22274: subprocess.Popen(stderr=STDOUT) fails to redirect subprocess s
http://bugs.python.org/issue22274  opened by akira

#22275: asyncio: enhance documentation of OS support
http://bugs.python.org/issue22275  opened by haypo

#22276: pathlib glob issues
http://bugs.python.org/issue22276  opened by joca.bt

#22277: webbrowser.py add parameters to suppress output on stdout and 
http://bugs.python.org/issue22277  opened by CristianCantoro

#22278: urljoin duplicate slashes
http://bugs.python.org/issue22278  opened by demian.brecht

#22279: read() vs read1() in asyncio.StreamReader documentation
http://bugs.python.org/issue22279  opened by oconnor663

#22281: ProcessPoolExecutor/ThreadPoolExecutor should provide introspe
http://bugs.python.org/issue22281  opened by dan.oreilly

#22282: ipaddress module accepts octal formatted IPv4 addresses in IPv
http://bugs.python.org/issue22282  opened by xZise

#22283: "AMD64 FreeBSD 9.0 3.x" fails to build the _decimal module: #e
http://bugs.python.org/issue22283  opened by haypo

#22284: decimal module contains less symbols when the _decimal module 
http://bugs.python.org/issue22284  opened by haypo

#22285: The Modules/ directory should not be added to sys.path
http://bugs.python.org/issue22285  opened by haypo

#22286: Allow backslashreplace error handler to be used on input
http://bugs.python.org/issue22286  opened by ncoghlan

#22289: support.transient_internet() doesn't catch timeout on FTP test
http://bugs.python.org/issue22289  opened by haypo

#22290: "AMD64 OpenIndiana 3.x" buildbot: assertion failed in PyObject
http://bugs.python.org/issue22290  opened by haypo

#22292: pickle whichmodule RuntimeError
http://bugs.python.org/issue22292  opened by attilio.dinisio

#22293: unittest.mock: use slots in MagicMock to reduce memory footpri
http://bugs.python.org/issue22293  opened by james-w

#22294: 2to3 consuming_calls:  len, min, max, zip, map, reduce, filter
http://bugs.python.org/issue22294  opened by eddygeek

#22295: Clarify available commands for package installation
http://bugs.python.org/issue22295  opened by ncoghlan

#22296: cookielib uses time.time(), making incorrect checks of expirat
http://bugs.python.org/issue22296  opened by regu0004

#22297: 2.7 json encoding broken for enums
http://bugs.python.org/issue22297  opened by eddygeek

#22298: Lib/warnings.py _show_warning does not protect against being c
http://bugs.python.org/issue22298  opened by Julius.Lehmann-Richter

#22299: resolve() on Windows makes some pathological paths unusable
http://bugs.python.org/issue22299  opened by Kevin.Norris

#22

[Python-Dev] Summary of Python tracker Issues

2014-09-05 Thread Python tracker

ACTIVITY SUMMARY (2014-08-29 - 2014-09-05)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4640 ( +2)
  closed 29471 (+40)
  total  34111 (+42)

Open issues with patches: 2191 


Issues opened (29)
==

#16037: httplib: header parsing is unlimited
http://bugs.python.org/issue16037  reopened by Arfrever

#22301: smtplib.SMTP.starttls' documentation is just confusing
http://bugs.python.org/issue22301  opened by maker

#22302: Windows os.path.isabs UNC path bug
http://bugs.python.org/issue22302  opened by akima

#22303: Write better test for SSLContext.load_verify_locations
http://bugs.python.org/issue22303  opened by pitrou

#22305: Documentation on deepcopy's problems is misleading
http://bugs.python.org/issue22305  opened by shlsh

#22308: add {implementation} to sysconfig.py
http://bugs.python.org/issue22308  opened by mattip

#22309: distutils/spawn.py handle fork() not implemented.
http://bugs.python.org/issue22309  opened by John.Malmberg

#22310: Report actual EOF character instead of assuming Ctrl-D
http://bugs.python.org/issue22310  opened by John.Malmberg

#22313: Make PYLONG_BITS_IN_DIGIT always available to non-core extensi
http://bugs.python.org/issue22313  opened by scoder

#22314: pydoc.py: TypeError with a $LINES defined to anything
http://bugs.python.org/issue22314  opened by arigo

#22317: action argument is not documented in argparse add_subparser() 
http://bugs.python.org/issue22317  opened by Ubik

#22319: mailbox.MH chokes on directories without .mh_sequences
http://bugs.python.org/issue22319  opened by gumnos

#22323: Rewrite PyUnicode_AsWideChar() and PyUnicode_AsWideCharString(
http://bugs.python.org/issue22323  opened by haypo

#22324: Use PyUnicode_AsWideCharString() instead of PyUnicode_AsUnicod
http://bugs.python.org/issue22324  opened by haypo

#22326: tempfile.TemporaryFile fails on NFS v4 filesystems
http://bugs.python.org/issue22326  opened by drosera

#22327: test_gdb failures on Ubuntu 14.10
http://bugs.python.org/issue22327  opened by barry

#22329: Windows installer can't recover partially installed state
http://bugs.python.org/issue22329  opened by LlelanD

#22330: PyOS_mystricmp is broken
http://bugs.python.org/issue22330  opened by kakkoko

#22331: test_io.test_interrupted_write_text() hangs on the buildbot Fr
http://bugs.python.org/issue22331  opened by haypo

#22332: test_multiprocessing_main_handling fail on buildbot "x86 FreeB
http://bugs.python.org/issue22332  opened by haypo

#22333: test_threaded_import.test_parallel_meta_path() failed on x86 W
http://bugs.python.org/issue22333  opened by haypo

#22334: test_tcl.test_split() fails on "x86 FreeBSD 7.2 3.x" buildbot
http://bugs.python.org/issue22334  opened by haypo

#22335: Python 3: Segfault instead of MemoryError when bytearray too b
http://bugs.python.org/issue22335  opened by swanson

#22336: _tkinter should use Python PyMem_Malloc() instead of Tcl ckall
http://bugs.python.org/issue22336  opened by haypo

#22338: test_json crash on memory allocation failure
http://bugs.python.org/issue22338  opened by haypo

#22339: Incorrect behavior when subclassing enum.Enum
http://bugs.python.org/issue22339  opened by Walkman

#22340: Fix Python 3 warnings in Python 2 tests
http://bugs.python.org/issue22340  opened by haypo

#22341: Python 3 crc32 documentation clarifications
http://bugs.python.org/issue22341  opened by vadmium

#22342: Fix typo in PEP 380 -- Syntax for Delegating to a Subgenerator
http://bugs.python.org/issue22342  opened by Gael.Robin



Most recent 15 issues with no replies (15)
==

#22342: Fix typo in PEP 380 -- Syntax for Delegating to a Subgenerator
http://bugs.python.org/issue22342

#22341: Python 3 crc32 documentation clarifications
http://bugs.python.org/issue22341

#22338: test_json crash on memory allocation failure
http://bugs.python.org/issue22338

#22327: test_gdb failures on Ubuntu 14.10
http://bugs.python.org/issue22327

#22317: action argument is not documented in argparse add_subparser() 
http://bugs.python.org/issue22317

#22314: pydoc.py: TypeError with a $LINES defined to anything
http://bugs.python.org/issue22314

#22313: Make PYLONG_BITS_IN_DIGIT always available to non-core extensi
http://bugs.python.org/issue22313

#22303: Write better test for SSLContext.load_verify_locations
http://bugs.python.org/issue22303

#22300: PEP 446 What's New Updates for 2.7.9
http://bugs.python.org/issue22300

#22294: 2to3 consuming_calls:  len, min, max, zip, map, reduce, filter
http://bugs.python.org/issue22294

#22289: support.transient_internet() doesn't catch timeout on FTP test
http://bugs.python.org/issue22289

#22286: Allow backslashreplace error handler to be used on input
http://bugs.python.org/issue22286

#22268: mrohasattr and mrogetattr
http://bugs.python

[Python-Dev] Summary of Python tracker Issues

2014-09-12 Thread Python tracker

ACTIVITY SUMMARY (2014-09-05 - 2014-09-12)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4652 (+12)
  closed 29509 (+38)
  total  34161 (+50)

Open issues with patches: 2196 


Issues opened (39)
==

#16662: load_tests not invoked in package/__init__.py
http://bugs.python.org/issue16662  reopened by haypo

#22343: Install bash activate script on Windows when using venv
http://bugs.python.org/issue22343  opened by marfire

#22344: Reorganize unittest.mock docs into linear manner
http://bugs.python.org/issue22344  opened by py.user

#22347: mimetypes.guess_type("//example.com") misinterprets host name 
http://bugs.python.org/issue22347  opened by vadmium

#22348: Documentation of asyncio.StreamWriter.drain()
http://bugs.python.org/issue22348  opened by martius

#22350: nntplib file write failure causes exception from QUIT command
http://bugs.python.org/issue22350  opened by vadmium

#22351: NNTP constructor exception leaves socket for garbage collector
http://bugs.python.org/issue22351  opened by vadmium

#22352: Ensure opcode names and args fit in disassembly output
http://bugs.python.org/issue22352  opened by ncoghlan

#22354: Highlite tabs in the IDLE
http://bugs.python.org/issue22354  opened by Christian.Kleineidam

#22355: inconsistent results with inspect.getsource() / inspect.getsou
http://bugs.python.org/issue22355  opened by isedev

#22356: mention explicitly that stdlib assumes gmtime(0) epoch is 1970
http://bugs.python.org/issue22356  opened by akira

#22357: inspect module documentation makes no reference to __qualname_
http://bugs.python.org/issue22357  opened by isedev

#22359: Remove incorrect uses of recursive make
http://bugs.python.org/issue22359  opened by Sjlver

#22360: Adding manually offset parameter to str/bytes split function
http://bugs.python.org/issue22360  opened by cwr

#22361: Ability to join() threads in concurrent.futures.ThreadPoolExec
http://bugs.python.org/issue22361  opened by dktrkranz

#22362: Warn about octal escapes > 0o377 in re
http://bugs.python.org/issue22362  opened by serhiy.storchaka

#22363: argparse AssertionError with add_mutually_exclusive_group and 
http://bugs.python.org/issue22363  opened by Zacrath

#22364: Unify error messages of re and regex
http://bugs.python.org/issue22364  opened by serhiy.storchaka

#22365: SSLContext.load_verify_locations(cadata) does not accept CRLs
http://bugs.python.org/issue22365  opened by Ralph.Broenink

#22366: urllib.request.urlopen shoudl take a "context" (SSLContext) ar
http://bugs.python.org/issue22366  opened by alex

#22367: Please add F_OFD_SETLK, etc support to fcntl.lockf
http://bugs.python.org/issue22367  opened by Andrew.Lutomirski

#22370: pathlib OS detection
http://bugs.python.org/issue22370  opened by Antony.Lee

#22371: tests failing with -uall and http_proxy and https_proxy set
http://bugs.python.org/issue22371  opened by doko

#22374: Replace contextmanager example and improve explanation
http://bugs.python.org/issue22374  opened by terry.reedy

#22376: urllib2.urlopen().read().splitlines() opening a directory in a
http://bugs.python.org/issue22376  opened by alanoe

#22377: %Z in strptime doesn't match EST and others
http://bugs.python.org/issue22377  opened by cool-RR

#22378: SO_MARK support for Linux
http://bugs.python.org/issue22378  opened by jpv

#22379: Empty exception message of str.join
http://bugs.python.org/issue22379  opened by fossilet

#22382: sqlite3 connection built from apsw connection should raise Int
http://bugs.python.org/issue22382  opened by wtonkin

#22384: Tk.report_callback_exception kills process when run with pytho
http://bugs.python.org/issue22384  opened by Aivar.Annamaa

#22385: Allow 'x' and 'X' to accept bytes-like objects in string forma
http://bugs.python.org/issue22385  opened by ncoghlan

#22387: Making tempfile.NamedTemporaryFile a class
http://bugs.python.org/issue22387  opened by Antony.Lee

#22388: Unify style of "Contributed by" notes
http://bugs.python.org/issue22388  opened by serhiy.storchaka

#22389: Generalize contextlib.redirect_stdout
http://bugs.python.org/issue22389  opened by barry

#22390: test.regrtest should complain if a test doesn't remove tempora
http://bugs.python.org/issue22390  opened by haypo

#22391: MSILIB truncates last character in summary information stream
http://bugs.python.org/issue22391  opened by Kevin.Phillips

#22392: Clarify documentation of __getinitargs__
http://bugs.python.org/issue22392  opened by David.Gilman

#22393: multiprocessing.Pool shouldn't hang forever if a worker proces
http://bugs.python.org/issue22393  opened by dan.oreilly

#22394: Update documentation building to use venv and pip
http://bugs.python.org/issue22394  opened by brett.cannon



Most recent 15 issues with no replies (15)

[Python-Dev] Summary of Python tracker Issues

2014-09-19 Thread Python tracker

ACTIVITY SUMMARY (2014-09-12 - 2014-09-19)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4662 (+10)
  closed 29544 (+35)
  total  34206 (+45)

Open issues with patches: 2197 


Issues opened (33)
==

#22166: test_codecs leaks references
http://bugs.python.org/issue22166  reopened by haypo

#22395: test_pathlib error for complex symlinks on Windows
http://bugs.python.org/issue22395  opened by jfoo

#22396: AIX posix_fadvise and posix_fallocate
http://bugs.python.org/issue22396  opened by David.Edelsohn

#22397: test_socket failure on AIX
http://bugs.python.org/issue22397  opened by David.Edelsohn

#22401: argparse: 'resolve' conflict handler damages the actions of th
http://bugs.python.org/issue22401  opened by paul.j3

#22406: uu-codec trailing garbage workaround is Python 2 code
http://bugs.python.org/issue22406  opened by vadmium

#22407: re.LOCALE is nonsensical for Unicode
http://bugs.python.org/issue22407  opened by serhiy.storchaka

#22408: Tkinter doesn't handle Unicode key events on Windows
http://bugs.python.org/issue22408  opened by Drekin

#22410: Locale dependent regexps on different locales
http://bugs.python.org/issue22410  opened by serhiy.storchaka

#22411: Embedding Python on Windows
http://bugs.python.org/issue22411  opened by Joakim.Karlsson

#22413: Bizarre StringIO(newline="\r\n") translation
http://bugs.python.org/issue22413  opened by vadmium

#22415: Fix re debugging output
http://bugs.python.org/issue22415  opened by serhiy.storchaka

#22417: PEP 476: verify HTTPS certificates by default
http://bugs.python.org/issue22417  opened by ncoghlan

#22418: ipaddress.py new IPv6 Method for Solicited Multicast Address
http://bugs.python.org/issue22418  opened by Jason.Nadeau

#22420: Use print(file=sys.stderr) instead of sys.stderr.write() in ID
http://bugs.python.org/issue22420  opened by serhiy.storchaka

#22422: IDLE closes all when in dropdown menu
http://bugs.python.org/issue22422  opened by mandolout

#22423: Errors in printing exceptions raised in a thread
http://bugs.python.org/issue22423  opened by serhiy.storchaka

#22425: 2to3 import fixer writes dotted_as_names into import_as_names
http://bugs.python.org/issue22425  opened by simonmweber

#22426: strptime accepts the wrong '2010-06-01 MSK' string but rejects
http://bugs.python.org/issue22426  opened by akira

#22427: TemporaryDirectory attempts to clean up twice
http://bugs.python.org/issue22427  opened by oconnor663

#22428: asyncio: KeyboardInterrupt inside a coroutine causes Attribute
http://bugs.python.org/issue22428  opened by oconnor663

#22429: asyncio: pending call to loop.stop() if a coroutine raises a B
http://bugs.python.org/issue22429  opened by haypo

#22430: Build failure if configure flags --prefix or --exec-prefix is 
http://bugs.python.org/issue22430  opened by diff.812

#22431: Change format of test runner output
http://bugs.python.org/issue22431  opened by googol

#22433: Argparse considers unknown optional arguments with spaces as a
http://bugs.python.org/issue22433  opened by DenKoren

#22434: Use named constants internally in the re module
http://bugs.python.org/issue22434  opened by serhiy.storchaka

#22435: socketserver.TCPSocket leaks socket to garbage collector if se
http://bugs.python.org/issue22435  opened by vadmium

#22437: re module: number of named groups is limited to 100 max
http://bugs.python.org/issue22437  opened by yselivanov

#22438: eventlet broke by python 2.7.x
http://bugs.python.org/issue22438  opened by alex

#22440: Setting SSLContext object's check_hostname manually might acci
http://bugs.python.org/issue22440  opened by orsenthil

#22441: Not all attributes of the console for a subprocess with creati
http://bugs.python.org/issue22441  opened by Sworddragon

#22442: subprocess.check_call hangs on large PIPEd data.
http://bugs.python.org/issue22442  opened by juj

#22443: read(1) blocks on unflushed output
http://bugs.python.org/issue22443  opened by Sworddragon



Most recent 15 issues with no replies (15)
==

#22441: Not all attributes of the console for a subprocess with creati
http://bugs.python.org/issue22441

#22435: socketserver.TCPSocket leaks socket to garbage collector if se
http://bugs.python.org/issue22435

#22429: asyncio: pending call to loop.stop() if a coroutine raises a B
http://bugs.python.org/issue22429

#22425: 2to3 import fixer writes dotted_as_names into import_as_names
http://bugs.python.org/issue22425

#22423: Errors in printing exceptions raised in a thread
http://bugs.python.org/issue22423

#22422: IDLE closes all when in dropdown menu
http://bugs.python.org/issue22422

#22411: Embedding Python on Windows
http://bugs.python.org/issue22411

#22397: test_socket failure on AIX
http://bugs.python.org/issue22397

#22394: Update do

[Python-Dev] Summary of Python tracker Issues

2014-09-26 Thread Python tracker

ACTIVITY SUMMARY (2014-09-19 - 2014-09-26)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4677 (+15)
  closed 29587 (+43)
  total  34264 (+58)

Open issues with patches: 2197 


Issues opened (39)
==

#22444: Floor divide should return int
http://bugs.python.org/issue22444  opened by belopolsky

#22445: Memoryviews require more strict contiguous checks then necessa
http://bugs.python.org/issue22445  opened by seberg

#22449: SSLContext.load_verify_locations behavior on Windows and OSX
http://bugs.python.org/issue22449  opened by christian.heimes

#22450: urllib doesn't put Accept: */* in the headers
http://bugs.python.org/issue22450  opened by rhettinger

#22452: addTypeEqualityFunc is not used in assertListEqual
http://bugs.python.org/issue22452  opened by simonzack

#22453: PyObject_REPR macro causes refcount leak
http://bugs.python.org/issue22453  opened by Chris.Colbert

#22454: Adding the opposite function of shlex.split()
http://bugs.python.org/issue22454  opened by Sworddragon

#22455: idna/punycode give wrong results on narrow builds
http://bugs.python.org/issue22455  opened by bukzor

#22456: __base__ undocumented
http://bugs.python.org/issue22456  opened by Arfrever

#22457: load_tests not invoked in root __init__.py when start=package 
http://bugs.python.org/issue22457  opened by rbcollins

#22458: Add fractions benchmark
http://bugs.python.org/issue22458  opened by scoder

#22460: idle editor: replace all in selection
http://bugs.python.org/issue22460  opened by bagratte

#22462: Modules/pyexpat.c violates PEP 384
http://bugs.python.org/issue22462  opened by Mark.Shannon

#22463: Warnings when building on AIX
http://bugs.python.org/issue22463  opened by jelie

#22465: Number agreement error in section 3.2 of web docs
http://bugs.python.org/issue22465  opened by pauamma

#22466: problem with installing python 2.7.8
http://bugs.python.org/issue22466  opened by elctr0

#22468: Tarfile using fstat on GZip file object
http://bugs.python.org/issue22468  opened by bartolsthoorn

#22470: Possible integer overflow in error handlers
http://bugs.python.org/issue22470  opened by serhiy.storchaka

#22472: OSErrors should use str and not repr on paths
http://bugs.python.org/issue22472  opened by r.david.murray

#22473: The gloss on asyncio "future with run_forever" example is conf
http://bugs.python.org/issue22473  opened by r.david.murray

#22474: No explanation of how a task gets destroyed in asyncio 'task' 
http://bugs.python.org/issue22474  opened by r.david.murray

#22475: asyncio task get_stack documentation seems to contradict itsel
http://bugs.python.org/issue22475  opened by r.david.murray

#22476: asyncio task chapter confusion about 'task', 'future', and 'sc
http://bugs.python.org/issue22476  opened by r.david.murray

#22477: GCD in Fractions
http://bugs.python.org/issue22477  opened by b...@gladman.plus.com

#22480: SystemExit out of run_until_complete causes AttributeError whe
http://bugs.python.org/issue22480  opened by chrysn

#22482: logging: fileConfig doesn't support formatter styles
http://bugs.python.org/issue22482  opened by domzippilli

#22486: Add math.gcd()
http://bugs.python.org/issue22486  opened by scoder

#22489: .gitignore file
http://bugs.python.org/issue22489  opened by rbcollins

#22490: Using realpath for __PYVENV_LAUNCHER__ makes Homebrew installs
http://bugs.python.org/issue22490  opened by tdsmith

#22491: Support Unicode line boundaries in regular expression
http://bugs.python.org/issue22491  opened by serhiy.storchaka

#22492: small addition to print() docs: no binary streams.
http://bugs.python.org/issue22492  opened by georg.brandl

#22493: Deprecate the use of flags not at the start of regular express
http://bugs.python.org/issue22493  opened by serhiy.storchaka

#22494: default logging time string is not localized
http://bugs.python.org/issue22494  opened by sdague

#22495: merge large parts of test_binop.py and test_fractions.py
http://bugs.python.org/issue22495  opened by wolma

#22496: urllib2 fails against IIS (urllib2 can't parse 401 reply www-a
http://bugs.python.org/issue22496  opened by deronnax

#22497: msiexec not creating msvcr90.dll with python -2.7.6.msi
http://bugs.python.org/issue22497  opened by dykesk

#22499: [SSL: BAD_WRITE_RETRY] bad write retry in _ssl.c:1636
http://bugs.python.org/issue22499  opened by nikratio

#22500: Argparse always stores True for positional arguments
http://bugs.python.org/issue22500  opened by Tristan.Fisher

#22501: Optimise PyLong division by 1 or -1
http://bugs.python.org/issue22501  opened by scoder



Most recent 15 issues with no replies (15)
==

#22495: merge large parts of test_binop.py and test_fractions.py
http://bugs.python.org/issue22495

#22494: default

[Python-Dev] Summary of Python tracker Issues

2014-10-10 Thread Python tracker

ACTIVITY SUMMARY (2014-10-03 - 2014-10-10)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4598 (-33)
  closed 29769 (+90)
  total  34367 (+57)

Open issues with patches: 2152 


Issues opened (34)
==

#7830: Flatten nested functools.partial
http://bugs.python.org/issue7830  reopened by belopolsky

#22526: file iteration SystemError for huge lines (2GiB+)
http://bugs.python.org/issue22526  reopened by doko

#22542: Use arc4random under OpenBSD for os.urandom() if /dev/urandom 
http://bugs.python.org/issue22542  reopened by 700eb415

#22552: ctypes.CDLL returns singleton objects, resulting in usage conf
http://bugs.python.org/issue22552  opened by Ivan.Pozdeev

#22554: Idle: optionally auto-pop-up completion window for names
http://bugs.python.org/issue22554  opened by terry.reedy

#22555: Tracking issue for adjustments to binary/text boundary handlin
http://bugs.python.org/issue22555  opened by ncoghlan

#22557: Local import is too slow
http://bugs.python.org/issue22557  opened by serhiy.storchaka

#22558: Missing hint to source code - complete
http://bugs.python.org/issue22558  opened by Friedrich.Spee.von.Langenfeld

#22559: [backport] ssl.MemoryBIO
http://bugs.python.org/issue22559  opened by alex

#22560: Add loop-agnostic SSL implementation to asyncio
http://bugs.python.org/issue22560  opened by pitrou

#22568: Use of "utime" as variable name in Modules/posixmodule.c cause
http://bugs.python.org/issue22568  opened by Jeffrey.Armstrong

#22570: Better stdlib support for Path objects
http://bugs.python.org/issue22570  opened by barry

#22571: Remove import * recommendations and examples in doc?
http://bugs.python.org/issue22571  opened by terry.reedy

#22575: bytearray documentation confuses string for unicode objects
http://bugs.python.org/issue22575  opened by mjpieters

#22577: local variable changes lost after pdb jump command
http://bugs.python.org/issue22577  opened by xdegaye

#22578: Add additional attributes to re.error
http://bugs.python.org/issue22578  opened by serhiy.storchaka

#22581: Other mentions of the buffer protocol
http://bugs.python.org/issue22581  opened by serhiy.storchaka

#22583: C stack overflow in the Python 2.7 compiler
http://bugs.python.org/issue22583  opened by Kevin.Dyer

#22585: os.urandom() should use getentropy() of OpenBSD 5.6
http://bugs.python.org/issue22585  opened by haypo

#22586: urljoin allow_fragments doesn't work
http://bugs.python.org/issue22586  opened by ColonelThirtyTwo

#22587: os.path.abspath(None) behavior is inconsistent between platfor
http://bugs.python.org/issue22587  opened by KevKeating

#22589: mimetypes uses image/x-ms-bmp as the type for bmp files
http://bugs.python.org/issue22589  opened by brma

#22590: math.copysign buggy with nan under Windows
http://bugs.python.org/issue22590  opened by pitrou

#22592: Drop support of Borland C compiler
http://bugs.python.org/issue22592  opened by haypo

#22593: Automate update of doc references to UCD version when it chang
http://bugs.python.org/issue22593  opened by r.david.murray

#22594: Add a link to the regex module in re documentation
http://bugs.python.org/issue22594  opened by serhiy.storchaka

#22596: support.transient_internet() doesn't catch connection refused 
http://bugs.python.org/issue22596  opened by berker.peksag

#22598: Add mUTF-7 codec (UTF-7 modified for IMAP)
http://bugs.python.org/issue22598  opened by jcea

#22599: traceback: errors in the linecache module at exit
http://bugs.python.org/issue22599  opened by haypo

#22600: In Multiprocessing Queue() doesn't work with list : __.put(lis
http://bugs.python.org/issue22600  opened by AlainCALMET

#22601: asyncio: loop.run_forever() should consume exception of the te
http://bugs.python.org/issue22601  opened by haypo

#22602: UTF-7 codec decodes ill-formed sequences starting with "+"
http://bugs.python.org/issue22602  opened by jwilk

#22603: Fix a typo in the contextlib docs
http://bugs.python.org/issue22603  opened by Francisco.Fernández.Castaño

#22604: assertion error in complex division
http://bugs.python.org/issue22604  opened by pitrou



Most recent 15 issues with no replies (15)
==

#22604: assertion error in complex division
http://bugs.python.org/issue22604

#22603: Fix a typo in the contextlib docs
http://bugs.python.org/issue22603

#22602: UTF-7 codec decodes ill-formed sequences starting with "+"
http://bugs.python.org/issue22602

#22601: asyncio: loop.run_forever() should consume exception of the te
http://bugs.python.org/issue22601

#22600: In Multiprocessing Queue() doesn't work with list : __.put(lis
http://bugs.python.org/issue22600

#22596: support.transient_internet() doesn't catch connection refused 
http://bugs.python.org/issue22596

#22594: Add a link to the 

[Python-Dev] Summary of Python tracker Issues

2014-10-24 Thread Python tracker

ACTIVITY SUMMARY (2014-10-17 - 2014-10-24)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4604 (+17)
  closed 29877 (+44)
  total  34481 (+61)

Open issues with patches: 2144 


Issues opened (40)
==

#17401: io.FileIO closefd parameter is not documented nor shown in rep
http://bugs.python.org/issue17401  reopened by serhiy.storchaka

#22659: SyntaxError in the configure_ctypes
http://bugs.python.org/issue22659  opened by bill9889

#22662: subprocess.Popen.communicate causing local tty terminal settin
http://bugs.python.org/issue22662  opened by kflavin

#22665: shutil.__all__ incomplete
http://bugs.python.org/issue22665  opened by vadmium

#22666: email.Header no encoding of unicode strings containing newline
http://bugs.python.org/issue22666  opened by flavio

#22668: memoryview.format is corrupted due to dangling shared pointer
http://bugs.python.org/issue22668  opened by Knio

#22669: Test_venv fails when _ctypes is not available.
http://bugs.python.org/issue22669  opened by terry.reedy

#22671: Typo in class io.BufferedIOBase docs
http://bugs.python.org/issue22671  opened by gigaplastik

#22672: float arguments in scientific notation not supported by argpar
http://bugs.python.org/issue22672  opened by jnespolo

#22673: document the special features (eg: fdclose=False) of the stand
http://bugs.python.org/issue22673  opened by snaphat

#22674: strsignal() missing from signal module
http://bugs.python.org/issue22674  opened by Dolda2000

#22678: An OSError subclass for "no space left on device" would be nic
http://bugs.python.org/issue22678  opened by bochecha

#22679: Add encodings of supported in glibc locales
http://bugs.python.org/issue22679  opened by serhiy.storchaka

#22680: unittest discovery is fragile
http://bugs.python.org/issue22680  opened by pitrou

#22681: Add support of KOI8-T encoding
http://bugs.python.org/issue22681  opened by serhiy.storchaka

#22682: Add support of KZ1048 (RK1048) encoding
http://bugs.python.org/issue22682  opened by serhiy.storchaka

#22683: bisect index out of bounds issue
http://bugs.python.org/issue22683  opened by Paul.Ianas

#22684: message.as_bytes() produces recursion depth exceeded
http://bugs.python.org/issue22684  opened by pas

#22685: memory leak: no transport for pipes by create_subprocess_exec/
http://bugs.python.org/issue22685  opened by wabu

#22687: horrible performance of textwrap.wrap() with a long word
http://bugs.python.org/issue22687  opened by inkerman

#22689: Posix getenv makes no guarantee of lifetime of returned string
http://bugs.python.org/issue22689  opened by aidanhs

#22695: open() declared deprecated in python 3 docs
http://bugs.python.org/issue22695  opened by Василий.Макаров

#22696: Add a function to know about interpreter shutdown
http://bugs.python.org/issue22696  opened by pitrou

#22697: Deadlock with writing to stderr from forked process
http://bugs.python.org/issue22697  opened by ionel.mc

#22698: Add constants for ioctl request codes
http://bugs.python.org/issue22698  opened by serhiy.storchaka

#22699: cross-compilation of Python3.4
http://bugs.python.org/issue22699  opened by bill9889

#22700: email's header_value_parser missing defect report for 'abc@xyz
http://bugs.python.org/issue22700  opened by r.david.murray

#22701: Write unescaped unicode characters (Japanese, Chinese, etc) in
http://bugs.python.org/issue22701  opened by Michael.Kuss

#22702: to improve documentation for join() (str method)
http://bugs.python.org/issue22702  opened by vy0123

#22703: Idle Code Context: separate changing current and future editor
http://bugs.python.org/issue22703  opened by terry.reedy

#22704: Review extension enable options
http://bugs.python.org/issue22704  opened by terry.reedy

#22705: Idle extension configuration: add option-help option
http://bugs.python.org/issue22705  opened by terry.reedy

#22706: Idle extension configuration and key bindings
http://bugs.python.org/issue22706  opened by terry.reedy

#22707: Idle: changed options should take effect immediately
http://bugs.python.org/issue22707  opened by terry.reedy

#22708: httplib/http.client in method _tunnel used HTTP/1.0 CONNECT me
http://bugs.python.org/issue22708  opened by vova

#22709: restore accepting detached stdin in fileinput binary mode
http://bugs.python.org/issue22709  opened by akira

#22711: "legacy" distutils docs better than packaging guide
http://bugs.python.org/issue22711  opened by pitrou

#22714: target of 'import statement' entry in general index for 'i' is
http://bugs.python.org/issue22714  opened by vy0123

#22718: pprint not handline uncomparable dictionary keys, set members 
http://bugs.python.org/issue22718  opened by Andreas.Kostyrka

#22719: os.path.isfile & os.path.exists bug in while loop
http://bugs.python.org/is

[Python-Dev] Summary of Python tracker Issues

2014-10-31 Thread Python tracker

ACTIVITY SUMMARY (2014-10-24 - 2014-10-31)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4626 (+20)
  closed 29911 (+34)
  total  34537 (+54)

Open issues with patches: 2160 


Issues opened (37)
==

#9351: argparse set_defaults on subcommands should override top level
http://bugs.python.org/issue9351  reopened by r.david.murray

#22716: Add reference to the object missing an attribute to AttributeE
http://bugs.python.org/issue22716  reopened by flying sheep

#22722: inheritable pipes are unwieldy without os.pipe2
http://bugs.python.org/issue22722  opened by bukzor

#22724: byte-compile fails for cross-builds
http://bugs.python.org/issue22724  opened by Benedikt.Morbach

#22725: improve documentation for enumerate() (built-in function)
http://bugs.python.org/issue22725  opened by vy0123

#22726: Idle: add help to config dialogs
http://bugs.python.org/issue22726  opened by terry.reedy

#22729: `wait` and `as_completed` depend on private api
http://bugs.python.org/issue22729  opened by bwhmather

#22731: test_capi test fails because of mismatched newlines
http://bugs.python.org/issue22731  opened by steve.dower

#22732: ctypes tests don't set correct restype for intptr_t functions
http://bugs.python.org/issue22732  opened by steve.dower

#22733: MSVC ffi_prep_args doesn't handle 64-bit arguments properly
http://bugs.python.org/issue22733  opened by steve.dower

#22734: marshal needs a lower stack depth for debug builds on Windows
http://bugs.python.org/issue22734  opened by steve.dower

#22735: Fix various crashes exposed through mro() customization
http://bugs.python.org/issue22735  opened by abusalimov

#22737: Provide a rejected execution model and implementations for fut
http://bugs.python.org/issue22737  opened by Joshua.Harlow

#22738: improve  'python -h' documentation for '-c'
http://bugs.python.org/issue22738  opened by vy0123

#22739: "There is no disk in the drive" error
http://bugs.python.org/issue22739  opened by Lachlan.Kingsford

#22742: IDLE shows traceback when printing non-BMP character
http://bugs.python.org/issue22742  opened by belopolsky

#22743: Specify supported XML version
http://bugs.python.org/issue22743  opened by Friedrich.Spee.von.Langenfeld

#22744: os.mkdir on Windows silently strips trailing blanks from direc
http://bugs.python.org/issue22744  opened by tegavu

#22746: cgitb html: wrong encoding for utf-8
http://bugs.python.org/issue22746  opened by wrohdewald

#22747: Interpreter fails in initialize on systems where HAVE_LANGINFO
http://bugs.python.org/issue22747  opened by WanderingLogic

#22750: xmlapp.py display bug when validate XML by DTD
http://bugs.python.org/issue22750  opened by Spider06

#22751: Fix test___all__ warning about modified environment
http://bugs.python.org/issue22751  opened by Michael.Cetrulo

#22752: incorrect time.timezone value
http://bugs.python.org/issue22752  opened by errx

#22753: urllib2 localnet Changed test to lookup IP-address of localhos
http://bugs.python.org/issue22753  opened by hakan

#22755: contextlib.closing documentation should use a new example
http://bugs.python.org/issue22755  opened by mjpieters

#22757: TclStackFree: incorrect freePtr. Call out of sequence?
http://bugs.python.org/issue22757  opened by Charleston

#22758: Regression in Python 3.2 cookie parsing
http://bugs.python.org/issue22758  opened by Tim.Graham

#22761: Catching StopIteraion inside list comprehension
http://bugs.python.org/issue22761  opened by tomirendo

#22763: load_tests chaining into discover from non-discover entry poin
http://bugs.python.org/issue22763  opened by rbcollins

#22764: object lifetime fragility in unittest tests
http://bugs.python.org/issue22764  opened by rbcollins

#22765: Fixes for test_gdb (first frame address, entry values)
http://bugs.python.org/issue22765  opened by bkabrda

#22766: collections.Counter's in-place operators should return NotImpl
http://bugs.python.org/issue22766  opened by Joshua.Chin

#22768: Add a way to get the peer certificate of a SSL Transport
http://bugs.python.org/issue22768  opened by mathieui

#22769: Tttk tag_has() throws TypeError when called without item
http://bugs.python.org/issue22769  opened by ddurrett

#22770: test_ttk_guionly and test_tk can cause Tk segfaults on OS X wh
http://bugs.python.org/issue22770  opened by ned.deily

#22773: Export Readline version and expect ANSI sequence for version <
http://bugs.python.org/issue22773  opened by David.Edelsohn

#22775: SimpleCookie not picklable with HIGHEST_PROTOCOL
http://bugs.python.org/issue22775  opened by Tim.Graham



Most recent 15 issues with no replies (15)
==

#22769: Tttk tag_has() throws TypeError when called without item
http://bugs.python.org/issue22769

#22765: Fixes for test_gdb (first fra

[Python-Dev] Summary of Python tracker Issues

2014-11-07 Thread Python tracker

ACTIVITY SUMMARY (2014-10-31 - 2014-11-07)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4622 ( -4)
  closed 29955 (+44)
  total  34577 (+40)

Open issues with patches: 2158 


Issues opened (32)
==

#17900: Recursive OrderedDict pickling
http://bugs.python.org/issue17900  reopened by rhettinger

#20160: broken ctypes calling convention on MSVC / 64-bit Windows (lar
http://bugs.python.org/issue20160  reopened by doko

#21274: define PATH_MAX for GNU/Hurd in Python/pythonrun.c
http://bugs.python.org/issue21274  reopened by loewis

#22695: open() declared deprecated in python 3 docs
http://bugs.python.org/issue22695  reopened by serhiy.storchaka

#22731: test_capi test fails because of mismatched newlines
http://bugs.python.org/issue22731  reopened by steve.dower

#22777: Test pickling with all protocols
http://bugs.python.org/issue22777  opened by serhiy.storchaka

#22780: NotImplemented doc section needs update
http://bugs.python.org/issue22780  opened by ethan.furman

#22781: ctypes: Differing results between Python and C.
http://bugs.python.org/issue22781  opened by Geoff.Clements

#22782: Python 3.4.2 Windows installer - cannot install 32 bit then 64
http://bugs.python.org/issue22782  opened by pmoore

#22783: Pickle: use NEWOBJ instead of NEWOBJ_EX if possible
http://bugs.python.org/issue22783  opened by serhiy.storchaka

#22785: range docstring is less useful than in python 2
http://bugs.python.org/issue22785  opened by nedbat

#22788: allow logging.handlers.HTTPHandler to take an SSLContext
http://bugs.python.org/issue22788  opened by benjamin.peterson

#22789: Compress the marshalled data in PYC files
http://bugs.python.org/issue22789  opened by rhettinger

#22790: some class attributes missing from dir(Class)
http://bugs.python.org/issue22790  opened by techdragon

#22791: datetime.utcfromtimestamp() shoud have option for create tz aw
http://bugs.python.org/issue22791  opened by naoki

#22794: missing test for issue 22457 regression commit
http://bugs.python.org/issue22794  opened by rbcollins

#22796: Support for httponly/secure cookies reintroduced lax parsing b
http://bugs.python.org/issue22796  opened by Tim.Graham

#22797: urllib.request.urlopen documentation falsely guarantees that a
http://bugs.python.org/issue22797  opened by Joshua.Chin

#22798: time.mktime doesn't update time.tzname
http://bugs.python.org/issue22798  opened by akira

#22799: wrong time.timezone
http://bugs.python.org/issue22799  opened by akira

#22800: IPv6Network constructor sometimes does not recognize legitimat
http://bugs.python.org/issue22800  opened by pebenito

#22801: collections.Counter, when empty, doesn't raise an error with &
http://bugs.python.org/issue22801  opened by ethan.furman

#22804: Can't run Idle in Windows 8 or windows 64
http://bugs.python.org/issue22804  opened by nx.u

#22806: regrtest: add switch -c to run only modified tests
http://bugs.python.org/issue22806  opened by georg.brandl

#22807: uuid.uuid1() should use uuid_generate_time_safe() if available
http://bugs.python.org/issue22807  opened by barry

#22808: Typo in asyncio-eventloop.rst, time() link is wrong
http://bugs.python.org/issue22808  opened by markgrandi

#22810: tkinter:  "alloc: invalid block:" after askopenfilename
http://bugs.python.org/issue22810  opened by lccat

#22811: _top_level_dir state leaks on defaultTestLoader
http://bugs.python.org/issue22811  opened by rbcollins

#22812: Documentation of unittest -p usage wrong on windows.
http://bugs.python.org/issue22812  opened by rbcollins

#22813: No facility for test randomisation
http://bugs.python.org/issue22813  opened by rbcollins

#22814: TestProgram loading fails when a script is used
http://bugs.python.org/issue22814  opened by rbcollins

#22815: unexpected successes are not output
http://bugs.python.org/issue22815  opened by rbcollins



Most recent 15 issues with no replies (15)
==

#22815: unexpected successes are not output
http://bugs.python.org/issue22815

#22814: TestProgram loading fails when a script is used
http://bugs.python.org/issue22814

#22813: No facility for test randomisation
http://bugs.python.org/issue22813

#22811: _top_level_dir state leaks on defaultTestLoader
http://bugs.python.org/issue22811

#22801: collections.Counter, when empty, doesn't raise an error with &
http://bugs.python.org/issue22801

#22800: IPv6Network constructor sometimes does not recognize legitimat
http://bugs.python.org/issue22800

#22799: wrong time.timezone
http://bugs.python.org/issue22799

#22794: missing test for issue 22457 regression commit
http://bugs.python.org/issue22794

#22783: Pickle: use NEWOBJ instead of NEWOBJ_EX if possible
http://bugs.python.org/issue22783

#22765: Fixes for test_gdb (first frame address, entry values)
htt

[Python-Dev] Summary of Python tracker Issues

2014-11-14 Thread Python tracker

ACTIVITY SUMMARY (2014-11-07 - 2014-11-14)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4647 (+25)
  closed 29986 (+31)
  total  34633 (+56)

Open issues with patches: 2168 


Issues opened (42)
==

#17293: uuid.getnode() MAC address on AIX
http://bugs.python.org/issue17293  reopened by koobs

#22817: re.split fails with lookahead/behind
http://bugs.python.org/issue22817  opened by rexdwyer

#22818: Deprecate splitting on possible zero-width re patterns
http://bugs.python.org/issue22818  opened by serhiy.storchaka

#22819: Python3.4: xml.sax.saxutils.XMLGenerator.__init__ fails with p
http://bugs.python.org/issue22819  opened by Edward.K..Ream

#22820: RESTART line with no output
http://bugs.python.org/issue22820  opened by sukari

#22822: IPv6Network constructor docs incorrect about valid input
http://bugs.python.org/issue22822  opened by pebenito

#22823: Use set literals instead of creating a set from a list
http://bugs.python.org/issue22823  opened by rhettinger

#22825: Modernize TextFile
http://bugs.python.org/issue22825  opened by serhiy.storchaka

#22826: Support context management protocol in bkfile
http://bugs.python.org/issue22826  opened by serhiy.storchaka

#22827: Backport ensurepip to 2.7 (PEP 477)
http://bugs.python.org/issue22827  opened by dstufft

#22829: Add --prompt option to venv
http://bugs.python.org/issue22829  opened by Łukasz.Balcerzak

#22831: Use "with" to avoid possible fd leaks
http://bugs.python.org/issue22831  opened by serhiy.storchaka

#22832: Tweak parameter names for fcntl module
http://bugs.python.org/issue22832  opened by brett.cannon

#22833: The decode_header() function decodes raw part to bytes or str,
http://bugs.python.org/issue22833  opened by py.user

#22834: Unexpected FileNotFoundError when current directory is removed
http://bugs.python.org/issue22834  opened by vadmium

#22836: Broken "Exception ignored in:" message on exceptions in __repr
http://bugs.python.org/issue22836  opened by The Compiler

#22837: getpass returns garbage when typing tilde on Windows with dead
http://bugs.python.org/issue22837  opened by The Compiler

#22838: Convert re tests to unittest
http://bugs.python.org/issue22838  opened by serhiy.storchaka

#22840: strpdate('20141110', '%Y%m%d%H%S') returns wrong date
http://bugs.python.org/issue22840  opened by dgorley

#22841: Avoid to use coroutine with add_signal_handler()
http://bugs.python.org/issue22841  opened by Ludovic.Gasc

#22843: doc error: 6.2.4. Match Objects
http://bugs.python.org/issue22843  opened by crkirkwood

#22844: test_gdb failure on Debian Wheezy for Z
http://bugs.python.org/issue22844  opened by David.Edelsohn

#22847: Improve method cache efficiency
http://bugs.python.org/issue22847  opened by pitrou

#22848: Subparser help does not respect SUPPRESS argument
http://bugs.python.org/issue22848  opened by Brett.Hannigan

#22850: Backport ensurepip Windows installer changes to 2.7
http://bugs.python.org/issue22850  opened by steve.dower

#22851: core crashes
http://bugs.python.org/issue22851  opened by doko

#22852: urllib.parse wrongly strips empty #fragment
http://bugs.python.org/issue22852  opened by soilandreyes

#22853: Multiprocessing.Queue._feed deadlocks on import
http://bugs.python.org/issue22853  opened by ffinkernagel

#22854: Documentation/implementation out of sync for IO
http://bugs.python.org/issue22854  opened by viraptor

#22855: csv writer with blank lineterminator breaks quoting
http://bugs.python.org/issue22855  opened by Eric.Haszlakiewicz

#22858: unittest.__init__:main shadows unittest.main
http://bugs.python.org/issue22858  opened by rbcollins

#22859: unittest.TestProgram.usageExit no longer invoked
http://bugs.python.org/issue22859  opened by rbcollins

#22860: unittest TestProgram hard to extend
http://bugs.python.org/issue22860  opened by rbcollins

#22861: [2.7] ssl._dnsname_match() and unicode
http://bugs.python.org/issue22861  opened by haypo

#22863: https://docs.python.org/ should make a true 2.7.8 version avai
http://bugs.python.org/issue22863  opened by lemburg

#22864: Add filter to multiprocessing.Pool
http://bugs.python.org/issue22864  opened by Mike.Drob

#22865: Allow pty.spawn to ignore data to copy
http://bugs.python.org/issue22865  opened by RadicalZephyr

#22867: document behavior of calling atexit.register() while atexit._r
http://bugs.python.org/issue22867  opened by skip.montanaro

#22869: Split pylifecycle.c out from pythonrun.c
http://bugs.python.org/issue22869  opened by ncoghlan

#22870: urlopen timeout failed with SSL socket
http://bugs.python.org/issue22870  opened by daveti

#22871: datetime documentation incomplete
http://bugs.python.org/issue22871  opened by spalac24

#433030: SRE: Atomic Grouping (?>...) is not supported
http://bugs.python.org/issue433030  reo

[Python-Dev] Summary of Python tracker Issues

2014-11-21 Thread Python tracker

ACTIVITY SUMMARY (2014-11-14 - 2014-11-21)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4658 (+11)
  closed 30014 (+28)
  total  34672 (+39)

Open issues with patches: 2176 


Issues opened (30)
==

#22869: Split pylifecycle.c out from pythonrun.c
http://bugs.python.org/issue22869  reopened by pitrou

#22872: multiprocessing.Queue raises AssertionError
http://bugs.python.org/issue22872  opened by Joseph.Siddall

#22873: Re: SSLsocket.getpeercert - return ALL the fields of the certi
http://bugs.python.org/issue22873  opened by nagle

#22875: asyncio: call_soon() documentation unclear on timing
http://bugs.python.org/issue22875  opened by Corbin.Simpson

#22876: ip_interface can't be broadcast or number net
http://bugs.python.org/issue22876  opened by Вячеслав

#22881: show median in benchmark results
http://bugs.python.org/issue22881  opened by scoder

#22882: Document Linux packages you need to compile Python with all de
http://bugs.python.org/issue22882  opened by Ludovic.Gasc

#22883: Get rid of references to PyInt in Py3 sources
http://bugs.python.org/issue22883  opened by serhiy.storchaka

#22884: argparse.FileType.__call__ returns unwrapped sys.stdin and std
http://bugs.python.org/issue22884  opened by keviv

#22885: Arbitrary code execution vulnerability due to unchecked eval()
http://bugs.python.org/issue22885  opened by stephen.farris

#22886: TestProgram leaves defaultTestLoader.errors dirty
http://bugs.python.org/issue22886  opened by rbcollins

#22888: ensurepip and distutils' build_scripts fails on Windows when p
http://bugs.python.org/issue22888  opened by gmljosea

#22890: StringIO.StringIO pickled in 2.7 is not unpickleable on 3.x
http://bugs.python.org/issue22890  opened by serhiy.storchaka

#22891: code removal from urllib.parse.urlsplit()
http://bugs.python.org/issue22891  opened by Alexander.Todorov

#22893: Idle: __future__ does not work in startup code.
http://bugs.python.org/issue22893  opened by terry.reedy

#22894: unittest.TestCase.subTest causes all subsequent tests to be sk
http://bugs.python.org/issue22894  opened by Trey.Cucco

#22895: test failure introduced by the fix for issue #22462
http://bugs.python.org/issue22895  opened by doko

#22896: Don't use PyObject_As*Buffer() functions
http://bugs.python.org/issue22896  opened by serhiy.storchaka

#22897: IDLE hangs on OS X with Cocoa Tk if encoding dialog is require
http://bugs.python.org/issue22897  opened by steipe

#22898: segfault during shutdown attempting to log ResourceWarning
http://bugs.python.org/issue22898  opened by emptysquare

#22899: http.server.BaseHTTPRequestHandler.parse_request (TypeError: d
http://bugs.python.org/issue22899  opened by recharti

#22901: test.test_uuid.test_find_mac fails because of `ifconfig` depre
http://bugs.python.org/issue22901  opened by bru

#22902: Use 'ip' for uuid.getnode()
http://bugs.python.org/issue22902  opened by bru

#22903: unittest creates non-picklable errors
http://bugs.python.org/issue22903  opened by pitrou

#22904: make profile-opt includes -fprofile* flags in _sysconfigdata C
http://bugs.python.org/issue22904  opened by gregory.p.smith

#22906: PEP 479: Change StopIteration handling inside generators
http://bugs.python.org/issue22906  opened by Rosuav

#22907: Misc/python-config.sh.in: ensure sed invocations only match be
http://bugs.python.org/issue22907  opened by peko

#22908: ZipExtFile in zipfile can be seekable
http://bugs.python.org/issue22908  opened by Iridium.Yang

#22909: [argparse] Using parse_known_args, unknown arg with space in v
http://bugs.python.org/issue22909  opened by TabAtkins

#22910: test_pydoc test_synopsis_sourceless is a flaky test
http://bugs.python.org/issue22910  opened by gregory.p.smith



Most recent 15 issues with no replies (15)
==

#22909: [argparse] Using parse_known_args, unknown arg with space in v
http://bugs.python.org/issue22909

#22907: Misc/python-config.sh.in: ensure sed invocations only match be
http://bugs.python.org/issue22907

#22896: Don't use PyObject_As*Buffer() functions
http://bugs.python.org/issue22896

#22893: Idle: __future__ does not work in startup code.
http://bugs.python.org/issue22893

#22890: StringIO.StringIO pickled in 2.7 is not unpickleable on 3.x
http://bugs.python.org/issue22890

#22886: TestProgram leaves defaultTestLoader.errors dirty
http://bugs.python.org/issue22886

#22885: Arbitrary code execution vulnerability due to unchecked eval()
http://bugs.python.org/issue22885

#22883: Get rid of references to PyInt in Py3 sources
http://bugs.python.org/issue22883

#22872: multiprocessing.Queue raises AssertionError
http://bugs.python.org/issue22872

#22865: Allow pty.spawn to ignore data to copy
http://bugs.python.org/issue22865

#22859: unittest.TestProgram.us

[Python-Dev] Summary of Python tracker Issues

2014-11-28 Thread Python tracker

ACTIVITY SUMMARY (2014-11-21 - 2014-11-28)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4668 (+10)
  closed 30056 (+42)
  total  34724 (+52)

Open issues with patches: 2176 


Issues opened (35)
==

#22676: _pickle's whichmodule() is slow
http://bugs.python.org/issue22676  reopened by zach.ware

#22685: memory leak: no transport for pipes by create_subprocess_exec/
http://bugs.python.org/issue22685  reopened by koobs

#22912: urlretreive locks up in 2.7.8
http://bugs.python.org/issue22912  opened by TaylorSMarks

#22914: Rewrite of Python 2/3 porting HOWTO
http://bugs.python.org/issue22914  opened by brett.cannon

#22918: Doc for __iter__ makes inexact comment about dict.__iter__
http://bugs.python.org/issue22918  opened by eric.araujo

#22919: Update PCBuild for VS 2015
http://bugs.python.org/issue22919  opened by steve.dower

#22922: asyncio: call_soon() should raise an exception if the event lo
http://bugs.python.org/issue22922  opened by haypo

#22923: No prompt for "display all X possibilities" on completion-enab
http://bugs.python.org/issue22923  opened by yoha

#22924: Use of deprecated cgi.escape
http://bugs.python.org/issue22924  opened by serhiy.storchaka

#22926: asyncio: raise an exception when called from the wrong thread
http://bugs.python.org/issue22926  opened by haypo

#22928: HTTP header injection in urrlib2/urllib/httplib/http.client
http://bugs.python.org/issue22928  opened by Guido

#22931: cookies with square brackets in value
http://bugs.python.org/issue22931  opened by Waldemar.Parzonka

#22932: email.utils.formatdate uses unreliable time.timezone constant
http://bugs.python.org/issue22932  opened by mitya57

#22933: Misleading sentence in doc for shutil.move
http://bugs.python.org/issue22933  opened by newbie

#22935: Disabling SSLv3 support
http://bugs.python.org/issue22935  opened by kroeckx

#22936: traceback module has no way to show locals
http://bugs.python.org/issue22936  opened by rbcollins

#22937: unittest errors can't show locals
http://bugs.python.org/issue22937  opened by rbcollins

#22939: integer overflow in iterator object
http://bugs.python.org/issue22939  opened by hakril

#22941: IPv4Interface arithmetic changes subnet mask
http://bugs.python.org/issue22941  opened by kwi.dk

#22942: Language Reference - optional comma
http://bugs.python.org/issue22942  opened by jordan

#22943: bsddb: test_queue fails on Windows
http://bugs.python.org/issue22943  opened by benjamin.peterson

#22945: Ctypes inconsistent between Linux and OS X
http://bugs.python.org/issue22945  opened by Daniel.Standage

#22946: urllib gives incorrect url after open when using HTTPS
http://bugs.python.org/issue22946  opened by John.McKay

#22947: Enable 'imageop' - "Multimedia Srvices Feature module" for 64-
http://bugs.python.org/issue22947  opened by pankaj.s01

#22949: fnmatch.translate doesn't add ^ at the beginning
http://bugs.python.org/issue22949  opened by mstol

#22951: unexpected return from float.__repr__() for inf, -inf, nan
http://bugs.python.org/issue22951  opened by jaebae17

#22952: multiprocessing doc introduction not in affirmative tone
http://bugs.python.org/issue22952  opened by davin

#22953: Windows installer configures system PATH also when installing 
http://bugs.python.org/issue22953  opened by pekka.klarck

#22955: Pickling of methodcaller and attrgetter
http://bugs.python.org/issue22955  opened by Antony.Lee

#22956: Improved support for prepared SQL statements
http://bugs.python.org/issue22956  opened by elfring

#22958: Constructors of weakref mapping classes don't accept "self" an
http://bugs.python.org/issue22958  opened by serhiy.storchaka

#22959: http.client.HTTPSConnection checks hostname when SSL context h
http://bugs.python.org/issue22959  opened by zodalahtathi

#22960: xmlrpc.client.ServerProxy() should accept a custom SSL context
http://bugs.python.org/issue22960  opened by zodalahtathi

#22961: ctypes.WinError & OSError
http://bugs.python.org/issue22961  opened by simonzack

#22962: ipaddress: Add optional prefixlen argument to ip_interface and
http://bugs.python.org/issue22962  opened by Gary.van.der.Merwe



Most recent 15 issues with no replies (15)
==

#22962: ipaddress: Add optional prefixlen argument to ip_interface and
http://bugs.python.org/issue22962

#22960: xmlrpc.client.ServerProxy() should accept a custom SSL context
http://bugs.python.org/issue22960

#22959: http.client.HTTPSConnection checks hostname when SSL context h
http://bugs.python.org/issue22959

#22958: Constructors of weakref mapping classes don't accept "self" an
http://bugs.python.org/issue22958

#22956: Improved support for prepared SQL statements
http://bugs.python.org/issue22956

#22947: Enable 'imag

[Python-Dev] Summary of Python tracker Issues

2014-12-05 Thread Python tracker

ACTIVITY SUMMARY (2014-11-28 - 2014-12-05)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4666 ( -2)
  closed 30095 (+39)
  total  34761 (+37)

Open issues with patches: 2173 


Issues opened (28)
==

#9179: Lookback with group references incorrect (two issues?)
http://bugs.python.org/issue9179  reopened by serhiy.storchaka

#22619: Possible implementation of negative limit for traceback functi
http://bugs.python.org/issue22619  reopened by vlth

#22922: asyncio: call_soon() should raise an exception if the event lo
http://bugs.python.org/issue22922  reopened by haypo

#22964: dbm.open(..., "x")
http://bugs.python.org/issue22964  opened by Antony.Lee

#22968: Lib/types.py nit: isinstance != PyType_IsSubtype
http://bugs.python.org/issue22968  opened by gmt

#22969: Compile fails with --without-signal-module
http://bugs.python.org/issue22969  opened by KHH

#22970: Cancelling wait() after notification leaves Condition in an in
http://bugs.python.org/issue22970  opened by dcoles

#22971: test_pickle: "Fatal Python error: Cannot recover from stack ov
http://bugs.python.org/issue22971  opened by haypo

#22972: Timeout making ajax calls to SimpleHTTPServer from internet ex
http://bugs.python.org/issue22972  opened by Andrew.Burrows

#22976: multiprocessing Queue empty() is broken on Windows
http://bugs.python.org/issue22976  opened by Radosław.Szkodziński

#22977: Unformatted “Windows Error 0x%X” exception message on Wine
http://bugs.python.org/issue22977  opened by vadmium

#22980: C extension naming doesn't take bitness into account
http://bugs.python.org/issue22980  opened by pitrou

#22981: Use CFLAGS when extracting multiarch
http://bugs.python.org/issue22981  opened by pitrou

#22982: BOM incorrectly inserted before writing, after seeking in text
http://bugs.python.org/issue22982  opened by MarkIngramUK

#22983: Cookie parsing should be more permissive
http://bugs.python.org/issue22983  opened by demian.brecht

#22984: test_json.test_endless_recursion(): "Fatal Python error: Canno
http://bugs.python.org/issue22984  opened by haypo

#22985: Segfault on time.sleep
http://bugs.python.org/issue22985  opened by Omer.Katz

#22986: Improved handling of __class__ assignment
http://bugs.python.org/issue22986  opened by njs

#22988: No error when yielding from `finally`
http://bugs.python.org/issue22988  opened by fov

#22989: HTTPResponse.msg not as documented
http://bugs.python.org/issue22989  opened by bastik

#22990: bdist installation dialog
http://bugs.python.org/issue22990  opened by Alan

#22991: test_gdb leaves the terminal in raw mode with gdb 7.8.1
http://bugs.python.org/issue22991  opened by xdegaye

#22992: Adding a git developer's guide to Mercurial to devguide
http://bugs.python.org/issue22992  opened by demian.brecht

#22993: Plistlib fails on certain valid plist values
http://bugs.python.org/issue22993  opened by Connor.Wolf

#22995: Restrict default pickleability
http://bugs.python.org/issue22995  opened by serhiy.storchaka

#22996: Order of _io objects finalization can lose data in reference c
http://bugs.python.org/issue22996  opened by pitrou

#22997: Minor improvements to "Functional API" section of Enum documen
http://bugs.python.org/issue22997  opened by simeon.visser

#22998: inspect.Signature and default arguments
http://bugs.python.org/issue22998  opened by doerwalter



Most recent 15 issues with no replies (15)
==

#22990: bdist installation dialog
http://bugs.python.org/issue22990

#22989: HTTPResponse.msg not as documented
http://bugs.python.org/issue22989

#22985: Segfault on time.sleep
http://bugs.python.org/issue22985

#22981: Use CFLAGS when extracting multiarch
http://bugs.python.org/issue22981

#22970: Cancelling wait() after notification leaves Condition in an in
http://bugs.python.org/issue22970

#22969: Compile fails with --without-signal-module
http://bugs.python.org/issue22969

#22964: dbm.open(..., "x")
http://bugs.python.org/issue22964

#22962: ipaddress: Add optional prefixlen argument to ip_interface and
http://bugs.python.org/issue22962

#22958: Constructors of weakref mapping classes don't accept "self" an
http://bugs.python.org/issue22958

#22956: Improved support for prepared SQL statements
http://bugs.python.org/issue22956

#22947: Enable 'imageop' - "Multimedia Srvices Feature module" for 64-
http://bugs.python.org/issue22947

#22942: Language Reference - optional comma
http://bugs.python.org/issue22942

#22928: HTTP header injection in urrlib2/urllib/httplib/http.client
http://bugs.python.org/issue22928

#22907: Misc/python-config.sh.in: ensure sed invocations only match be
http://bugs.python.org/issue22907

#22893: Idle: __future__ does not work in startup co

[Python-Dev] Summary of Python tracker Issues

2014-12-12 Thread Python tracker

ACTIVITY SUMMARY (2014-12-05 - 2014-12-12)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4666 ( +0)
  closed 30137 (+42)
  total  34803 (+42)

Open issues with patches: 2173 


Issues opened (31)
==

#9647: os.confstr() does not handle value changing length between cal
http://bugs.python.org/issue9647  reopened by haypo

#22866: ssl module in 2.7 should provide a way to configure default co
http://bugs.python.org/issue22866  reopened by lemburg

#22935: Disabling SSLv3 support
http://bugs.python.org/issue22935  reopened by ned.deily

#23001: Accept mutable bytes-like objects
http://bugs.python.org/issue23001  opened by serhiy.storchaka

#23003: traceback.{print_exc,print_exception,format_exc,format_excepti
http://bugs.python.org/issue23003  opened by Arfrever

#23004: mock_open() should allow reading binary data
http://bugs.python.org/issue23004  opened by jcea

#23008: pydoc enum.{,Int}Enum fails
http://bugs.python.org/issue23008  opened by Antony.Lee

#23010: "unclosed file" warning when defining unused logging FileHandl
http://bugs.python.org/issue23010  opened by wdoekes

#23011: Duplicate Paragraph in documentation for json module
http://bugs.python.org/issue23011  opened by berndca

#23012: RuntimeError: settrace/setprofile function gets lost
http://bugs.python.org/issue23012  opened by arigo

#23013: Tweak wording for importlib.util.LazyLoader in regards to Load
http://bugs.python.org/issue23013  opened by brett.cannon

#23014: Don't have importlib.abc.Loader.create_module() be optional
http://bugs.python.org/issue23014  opened by brett.cannon

#23015: Improve test_uuid
http://bugs.python.org/issue23015  opened by serhiy.storchaka

#23017: string.printable.isprintable() returns False
http://bugs.python.org/issue23017  opened by planet36

#23018: Add version info to python[w].exe
http://bugs.python.org/issue23018  opened by steve.dower

#23019: pyexpat.errors wrongly bound to message strings instead of mes
http://bugs.python.org/issue23019  opened by bkarge

#23020: New matmul operator crashes modules compiled with CPython3.4
http://bugs.python.org/issue23020  opened by amaury.forgeotdarc

#23021: Get rid of references to PyString in Modules/
http://bugs.python.org/issue23021  opened by berker.peksag

#23023: ./Modules/ld_so_aix not found on AIX during test_distutils
http://bugs.python.org/issue23023  opened by lemburg

#23025: ssl.RAND_bytes docs should mention os.urandom
http://bugs.python.org/issue23025  opened by alex

#23026: Winreg module doesn't support REG_QWORD, small DWORD doc updat
http://bugs.python.org/issue23026  opened by markgrandi

#23027: test_warnings fails with -Werror
http://bugs.python.org/issue23027  opened by serhiy.storchaka

#23028: CEnvironmentVariableTests and PyEnvironmentVariableTests test 
http://bugs.python.org/issue23028  opened by serhiy.storchaka

#23029: test_warnings produces extra output in quiet mode
http://bugs.python.org/issue23029  opened by serhiy.storchaka

#23030: lru_cache manual get/put
http://bugs.python.org/issue23030  opened by ConnyOnny

#23031: pdb crashes when jumping over "with" statement
http://bugs.python.org/issue23031  opened by DSP

#23033: Disallow support for a*.example.net, *a.example.net, and a*b.e
http://bugs.python.org/issue23033  opened by dstufft

#23034: Dynamically control debugging output
http://bugs.python.org/issue23034  opened by serhiy.storchaka

#23035: python -c: Line causing exception not shown for exceptions oth
http://bugs.python.org/issue23035  opened by Arfrever

#23040: Better documentation for the urlencode safe parameter
http://bugs.python.org/issue23040  opened by wrwrwr

#23041: csv needs more quoting rules
http://bugs.python.org/issue23041  opened by samwyse



Most recent 15 issues with no replies (15)
==

#23029: test_warnings produces extra output in quiet mode
http://bugs.python.org/issue23029

#23028: CEnvironmentVariableTests and PyEnvironmentVariableTests test 
http://bugs.python.org/issue23028

#23027: test_warnings fails with -Werror
http://bugs.python.org/issue23027

#23026: Winreg module doesn't support REG_QWORD, small DWORD doc updat
http://bugs.python.org/issue23026

#23021: Get rid of references to PyString in Modules/
http://bugs.python.org/issue23021

#23015: Improve test_uuid
http://bugs.python.org/issue23015

#23013: Tweak wording for importlib.util.LazyLoader in regards to Load
http://bugs.python.org/issue23013

#23012: RuntimeError: settrace/setprofile function gets lost
http://bugs.python.org/issue23012

#23008: pydoc enum.{,Int}Enum fails
http://bugs.python.org/issue23008

#23004: mock_open() should allow reading binary data
http://bugs.python.org/issue23004

#23003: traceback.{print_exc,print_exception,format_exc,format_excepti
http://bugs.python.org/issue23003

[Python-Dev] Summary of Python tracker Issues

2014-12-19 Thread Python tracker

ACTIVITY SUMMARY (2014-12-12 - 2014-12-19)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4683 (+17)
  closed 30168 (+31)
  total  34851 (+48)

Open issues with patches: 2192 


Issues opened (34)
==

#23042: Python 2.7.9 ctypes module doesn't build on FreeBSD x86
http://bugs.python.org/issue23042  opened by lemburg

#23043: doctest ignores "from __future__ import print_function"
http://bugs.python.org/issue23043  opened by fva

#23046: asyncio.BaseEventLoop is documented, but only exported via asy
http://bugs.python.org/issue23046  opened by vadmium

#23050: Add Japanese legacy encodings
http://bugs.python.org/issue23050  opened by t2y

#23051: multiprocessing.pool methods imap() and imap_unordered() cause
http://bugs.python.org/issue23051  opened by advance512

#23054: ConnectionError: ('Connection aborted.', BadStatusLine(""''''"
http://bugs.python.org/issue23054  opened by joecabrera

#23055: PyUnicode_FromFormatV crasher
http://bugs.python.org/issue23055  opened by gvanrossum

#23056: tarfile raises an exception when reading an empty tar in strea
http://bugs.python.org/issue23056  opened by gregory.p.smith

#23057: asyncio loop on Windows should stop on keyboard interrupt
http://bugs.python.org/issue23057  opened by asvetlov

#23058: argparse silently ignores arguments
http://bugs.python.org/issue23058  opened by remram

#23059: cmd module should sort misc help topics
http://bugs.python.org/issue23059  opened by samwyse

#23060: Assert fails in multiprocessing.heap.Arena.__setstate__ on Win
http://bugs.python.org/issue23060  opened by steve.dower

#23061: Update pep8 to specify explicitly 'module level' imports at to
http://bugs.python.org/issue23061  opened by IanLee1521

#23062: test_argparse --version test cases
http://bugs.python.org/issue23062  opened by vadmium

#23063: `python setup.py check --restructuredtext --strict --metadata`
http://bugs.python.org/issue23063  opened by Marc.Abramowitz

#23065: Pyhton27.dll at SysWOW64 not updated when updating Python 2.7.
http://bugs.python.org/issue23065  opened by GamesGamble

#23067: Export readline forced_update_display
http://bugs.python.org/issue23067  opened by dexteradeus

#23068: Add a way to determine if the current thread has the import lo
http://bugs.python.org/issue23068  opened by gvanrossum

#23069: IDLE's F5 Run Module doesn't transfer effects of future import
http://bugs.python.org/issue23069  opened by rhettinger

#23071: codecs.__all__ incomplete
http://bugs.python.org/issue23071  opened by vadmium

#23072: 2.7.9 multiprocessing compile conflict
http://bugs.python.org/issue23072  opened by a...@purdue.edu

#23075: Mock backport in 2.7 relies on implementation defined behavior
http://bugs.python.org/issue23075  opened by alex

#23076: list(pathlib.Path().glob("")) fails with IndexError
http://bugs.python.org/issue23076  opened by Antony.Lee

#23077: PEP 1: Allow Provisional status for PEPs
http://bugs.python.org/issue23077  opened by ncoghlan

#23078: unittest.mock patch autospec doesn't work on staticmethods
http://bugs.python.org/issue23078  opened by kevinbenton

#23079: os.path.normcase documentation confusing
http://bugs.python.org/issue23079  opened by chris.jerdonek

#23080: BoundArguments.arguments should be unordered
http://bugs.python.org/issue23080  opened by Antony.Lee

#23081: Document PySequence_List(o) as equivalent to list(o)
http://bugs.python.org/issue23081  opened by larsmans

#23082: pathlib relative_to() can give confusing error message
http://bugs.python.org/issue23082  opened by chris.jerdonek

#23085: update internal libffi copy to 3.2.1
http://bugs.python.org/issue23085  opened by gustavotemple

#23086: Add start and stop parameters to the Sequence.index() ABC mixi
http://bugs.python.org/issue23086  opened by rhettinger

#23087: Exec variable not found error
http://bugs.python.org/issue23087  opened by Keith.Chewning

#23088: Document that PyUnicode_AsUTF8() returns a null-terminated str
http://bugs.python.org/issue23088  opened by vadmium

#23089: Update libffi config files
http://bugs.python.org/issue23089  opened by gustavotemple



Most recent 15 issues with no replies (15)
==

#23088: Document that PyUnicode_AsUTF8() returns a null-terminated str
http://bugs.python.org/issue23088

#23087: Exec variable not found error
http://bugs.python.org/issue23087

#23086: Add start and stop parameters to the Sequence.index() ABC mixi
http://bugs.python.org/issue23086

#23081: Document PySequence_List(o) as equivalent to list(o)
http://bugs.python.org/issue23081

#23078: unittest.mock patch autospec doesn't work on staticmethods
http://bugs.python.org/issue23078

#23077: PEP 1: Allow Provisional status for PEPs
http://bug

[Python-Dev] Summary of Python tracker Issues

2014-12-26 Thread Python tracker

ACTIVITY SUMMARY (2014-12-19 - 2014-12-26)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4691 ( +8)
  closed 30186 (+18)
  total  34877 (+26)

Open issues with patches: 2198 


Issues opened (17)
==

#23094: Unpickler failing with PicklingError at frame end on readline 
http://bugs.python.org/issue23094  opened by CensoredUsername

#23095: asyncio: race condition in IocpProactor.wait_for_handle()
http://bugs.python.org/issue23095  opened by haypo

#23096: Implementation-depended pickling floats with protocol 0
http://bugs.python.org/issue23096  opened by serhiy.storchaka

#23097: unittest can unnecessarily modify sys.path (and with the wrong
http://bugs.python.org/issue23097  opened by chris.jerdonek

#23098: mknod devices can be >32 bits
http://bugs.python.org/issue23098  opened by jcea

#23099: BytesIO and StringIO values unavailable when closed
http://bugs.python.org/issue23099  opened by vadmium

#23100: multiprocessing doc organization impedes understanding
http://bugs.python.org/issue23100  opened by davin

#23102: distutils: tip-toe around quirks owing to setuptools monkey-pa
http://bugs.python.org/issue23102  opened by gmt

#23103: ipaddress should be Flyweight
http://bugs.python.org/issue23103  opened by sbromberger

#23104: [Windows x86-64] ctypes: Incorrect function call
http://bugs.python.org/issue23104  opened by Андрей.Парамонов

#23105: os.O_SHLOCK and os.O_EXLOCK are not available on Linux
http://bugs.python.org/issue23105  opened by Sworddragon

#23106: Remove smalltable from set objects
http://bugs.python.org/issue23106  opened by rhettinger

#23107: Tighten-up search loops in sets
http://bugs.python.org/issue23107  opened by rhettinger

#23109: French quotes in the documentation are often ungrammatical
http://bugs.python.org/issue23109  opened by cpitcla

#23111: ftplib.FTP_TLS's default constructor does not work with TLSv1.
http://bugs.python.org/issue23111  opened by varde

#23114: "dist must be a Distribution instance" check fails with setupt
http://bugs.python.org/issue23114  opened by scoder

#23115: Backport #22585 -- getentropy for urandom to Python 2.7
http://bugs.python.org/issue23115  opened by alex



Most recent 15 issues with no replies (15)
==

#23115: Backport #22585 -- getentropy for urandom to Python 2.7
http://bugs.python.org/issue23115

#23114: "dist must be a Distribution instance" check fails with setupt
http://bugs.python.org/issue23114

#23111: ftplib.FTP_TLS's default constructor does not work with TLSv1.
http://bugs.python.org/issue23111

#23107: Tighten-up search loops in sets
http://bugs.python.org/issue23107

#23106: Remove smalltable from set objects
http://bugs.python.org/issue23106

#23102: distutils: tip-toe around quirks owing to setuptools monkey-pa
http://bugs.python.org/issue23102

#23097: unittest can unnecessarily modify sys.path (and with the wrong
http://bugs.python.org/issue23097

#23095: asyncio: race condition in IocpProactor.wait_for_handle()
http://bugs.python.org/issue23095

#23086: Add start and stop parameters to the Sequence.index() ABC mixi
http://bugs.python.org/issue23086

#23081: Document PySequence_List(o) as equivalent to list(o)
http://bugs.python.org/issue23081

#23078: unittest.mock patch autospec doesn't work on staticmethods
http://bugs.python.org/issue23078

#23077: PEP 1: Allow Provisional status for PEPs
http://bugs.python.org/issue23077

#23075: Mock backport in 2.7 relies on implementation defined behavior
http://bugs.python.org/issue23075

#23067: Export readline forced_update_display
http://bugs.python.org/issue23067

#23029: test_warnings produces extra output in quiet mode
http://bugs.python.org/issue23029



Most recent 15 issues waiting for review (15)
=

#23115: Backport #22585 -- getentropy for urandom to Python 2.7
http://bugs.python.org/issue23115

#23107: Tighten-up search loops in sets
http://bugs.python.org/issue23107

#23106: Remove smalltable from set objects
http://bugs.python.org/issue23106

#23103: ipaddress should be Flyweight
http://bugs.python.org/issue23103

#23102: distutils: tip-toe around quirks owing to setuptools monkey-pa
http://bugs.python.org/issue23102

#23099: BytesIO and StringIO values unavailable when closed
http://bugs.python.org/issue23099

#23098: mknod devices can be >32 bits
http://bugs.python.org/issue23098

#23094: Unpickler failing with PicklingError at frame end on readline 
http://bugs.python.org/issue23094

#23089: Update libffi config files
http://bugs.python.org/issue23089

#23088: Document that PyUnicode_AsUTF8() returns a null-terminated str
http://bugs.python.org/issue23088

#23085: update internal libffi copy to 3.2.1
http://bugs.python.org/issue23085

#23081: Document PySeque

[Python-Dev] Summary of Python tracker Issues

2015-01-02 Thread Python tracker

ACTIVITY SUMMARY (2014-12-26 - 2015-01-02)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4706 (+15)
  closed 30207 (+21)
  total  34913 (+36)

Open issues with patches: 2202 


Issues opened (27)
==

#23116: Python Tutorial 4.7.1: Improve ask_ok() to cover more input va
http://bugs.python.org/issue23116  opened by amyluo

#23117: Properly codesign Mac python 2.7.9.pkg so it can work thru OS 
http://bugs.python.org/issue23117  opened by James.Wahlman

#23119: Remove unicode specialization from set objects
http://bugs.python.org/issue23119  opened by rhettinger

#23120: installation order of 32bit and 64bit python seems to matter
http://bugs.python.org/issue23120  opened by pe...@psantoro.net

#23121: pip.exe breaks if python 2.7.9 is installed under c:\Program F
http://bugs.python.org/issue23121  opened by joshuaellinger

#23123: Only READ support for Decimal in json
http://bugs.python.org/issue23123  opened by anders.rundgren@gmail.com

#23126: Add Python hook function to replace NameError
http://bugs.python.org/issue23126  opened by Rosuav

#23127: socket.setsockopt() is still broken for multicast TTL and Loop
http://bugs.python.org/issue23127  opened by tamentis

#23128: Key presses are doubled in Tkinter dialog invoked from window 
http://bugs.python.org/issue23128  opened by pew

#23129: sqlite3 COMMIT nested in SELECT returns unexpected results
http://bugs.python.org/issue23129  opened by jamercee

#23132: Faster total_ordering
http://bugs.python.org/issue23132  opened by serhiy.storchaka

#23133: Pickling of ipaddress classes
http://bugs.python.org/issue23133  opened by serhiy.storchaka

#23136: BUG in how _strptime() handles week 0
http://bugs.python.org/issue23136  opened by jamercee

#23137: Python 2.7.9 test_gdb fails on CentOS 7
http://bugs.python.org/issue23137  opened by vlee

#23138: cookiejar parses cookie value as int with empty name-value pai
http://bugs.python.org/issue23138  opened by chfoo

#23139: syntax diagram after EBNF description?
http://bugs.python.org/issue23139  opened by Friedrich.Spee.von.Langenfeld

#23140: InvalidStateError on asyncio subprocess task cancelled
http://bugs.python.org/issue23140  opened by xdegaye

#23142: Integration of unittest.FunctionTestCase with automatic discov
http://bugs.python.org/issue23142  opened by vadmium

#23143: Remove some conditional code in _ssl.c
http://bugs.python.org/issue23143  opened by pitrou

#23144: html.parser.HTMLParser: setting 'convert_charrefs = True' lead
http://bugs.python.org/issue23144  opened by xkjq

#23145: regrtest: log test loader errors
http://bugs.python.org/issue23145  opened by haypo

#23146: Incosistency in pathlib between / and \
http://bugs.python.org/issue23146  opened by serhiy.storchaka

#23147: Possible error in _header_value_parser.py
http://bugs.python.org/issue23147  opened by serhiy.storchaka

#23148: Missing the charset parameter in as_encoded_word()
http://bugs.python.org/issue23148  opened by serhiy.storchaka

#23149: Typo in PEP-0008 - "this PEP do not"
http://bugs.python.org/issue23149  opened by jonrsharpe

#23150: urllib parse incorrect handing of params
http://bugs.python.org/issue23150  opened by julian.resc...@gmx.de

#23151: _loggerClass is initialized twice
http://bugs.python.org/issue23151  opened by serhiy.storchaka



Most recent 15 issues with no replies (15)
==

#23150: urllib parse incorrect handing of params
http://bugs.python.org/issue23150

#23149: Typo in PEP-0008 - "this PEP do not"
http://bugs.python.org/issue23149

#23148: Missing the charset parameter in as_encoded_word()
http://bugs.python.org/issue23148

#23147: Possible error in _header_value_parser.py
http://bugs.python.org/issue23147

#23146: Incosistency in pathlib between / and \
http://bugs.python.org/issue23146

#23143: Remove some conditional code in _ssl.c
http://bugs.python.org/issue23143

#23139: syntax diagram after EBNF description?
http://bugs.python.org/issue23139

#23138: cookiejar parses cookie value as int with empty name-value pai
http://bugs.python.org/issue23138

#23137: Python 2.7.9 test_gdb fails on CentOS 7
http://bugs.python.org/issue23137

#23133: Pickling of ipaddress classes
http://bugs.python.org/issue23133

#23126: Add Python hook function to replace NameError
http://bugs.python.org/issue23126

#23116: Python Tutorial 4.7.1: Improve ask_ok() to cover more input va
http://bugs.python.org/issue23116

#23106: Remove smalltable from set objects
http://bugs.python.org/issue23106

#23097: unittest can unnecessarily modify sys.path (and with the wrong
http://bugs.python.org/issue23097

#23095: asyncio: race condition in IocpProactor.wait_for_handle()
http://bugs.python.org/issue23095



Most recent 15 issues waiting for review (15)
=

[Python-Dev] Summary of Python tracker Issues

2015-01-09 Thread Python tracker

ACTIVITY SUMMARY (2015-01-02 - 2015-01-09)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4726 (+20)
  closed 30244 (+37)
  total  34970 (+57)

Open issues with patches: 2214 


Issues opened (44)
==

#14099: ZipFile.open() should not reopen the underlying file
http://bugs.python.org/issue14099  reopened by serhiy.storchaka

#14853: test_file.py depends on sys.stdin being unseekable
http://bugs.python.org/issue14853  reopened by haypo

#16192: ctypes - documentation example
http://bugs.python.org/issue16192  reopened by berker.peksag

#19776: Provide expanduser() on Path objects
http://bugs.python.org/issue19776  reopened by haypo

#22919: Update PCBuild for VS 2015
http://bugs.python.org/issue22919  reopened by haypo

#23152: fstat64 required on Windows
http://bugs.python.org/issue23152  opened by steve.dower

#23155: unittest: object has no attribute '_removed_tests'
http://bugs.python.org/issue23155  opened by wiz

#23156: Update tix install information in tkinter tix chapter of doc
http://bugs.python.org/issue23156  opened by terry.reedy

#23159: argparse: Provide equivalent of optparse.OptionParser.{option_
http://bugs.python.org/issue23159  opened by emcd

#23160: Respect the environment variable SVNROOT in external-common.ba
http://bugs.python.org/issue23160  opened by anselm.kruis

#23162: collections.abc sequences don't check identity before equality
http://bugs.python.org/issue23162  opened by Devin Jeanpierre

#23163: pdb docs need to contain a statement on threads/multithreaded 
http://bugs.python.org/issue23163  opened by krichter

#23164: "pydoc filter" documentation restrictive
http://bugs.python.org/issue23164  opened by lebigot

#23166: urllib2 ignores opener configuration under certain circumstanc
http://bugs.python.org/issue23166  opened by crazyjurich

#23169: Reflect that PreReq and BuildPreReq are deprecated in the late
http://bugs.python.org/issue23169  opened by radeksimko

#23171: csv.writer.writerow() does not accept generator (must be coerc
http://bugs.python.org/issue23171  opened by jdufresne

#23173: asyncio: kill the subprocess if the creation failed
http://bugs.python.org/issue23173  opened by haypo

#23174: shelve.open fails with error "anydbm.error: db type could not 
http://bugs.python.org/issue23174  opened by krichter

#23176: socket.recvfrom(0) waits for data
http://bugs.python.org/issue23176  opened by Sworddragon

#23177: test_ssl: failures on OpenBSD with LibreSSL
http://bugs.python.org/issue23177  opened by haypo

#23180: Rename IDLE's "Windows" menu item to "Window"
http://bugs.python.org/issue23180  opened by Al.Sweigart

#23181: Unicode "code point" should be two words in documentation
http://bugs.python.org/issue23181  opened by Al.Sweigart

#23182: Update grammar tests to use new style for annotated function d
http://bugs.python.org/issue23182  opened by IanLee1521

#23183: timeit CLI best of 3: undocumented output format
http://bugs.python.org/issue23183  opened by hachat

#23184: Unused imports, variables, file in IDLE
http://bugs.python.org/issue23184  opened by Al.Sweigart

#23185: add inf and nan to math module
http://bugs.python.org/issue23185  opened by ethan.furman

#23187: Segmentation fault, possibly asyncio related
http://bugs.python.org/issue23187  opened by karamanolev

#23188: Exception chaining should trigger for non-normalised exception
http://bugs.python.org/issue23188  opened by ncoghlan

#23189: Set docstrings to empty string when optimizing with -OO.
http://bugs.python.org/issue23189  opened by jvs

#23191: fnmatch regex cache use is not threadsafe
http://bugs.python.org/issue23191  opened by mschmitzer

#23192: Generator return value ignored in lambda function
http://bugs.python.org/issue23192  opened by Rosuav

#23193: Please support "numeric_owner" in tarfile
http://bugs.python.org/issue23193  opened by mvo

#23195: Sorting with locale (strxfrm) does not work properly with Pyth
http://bugs.python.org/issue23195  opened by pnugues

#23197: asyncio: check if a future is cancelled before calling set_res
http://bugs.python.org/issue23197  opened by haypo

#23198: asyncio: refactor StreamReader
http://bugs.python.org/issue23198  opened by haypo

#23199: libpython27.a in amd64 release is 32-bit
http://bugs.python.org/issue23199  opened by zwelch

#23200: Clarify max_length and flush() for zlib decompression
http://bugs.python.org/issue23200  opened by vadmium

#23201: Decimal(0)**0 is an error, 0**0 is 1, but Decimal(0) == 0
http://bugs.python.org/issue23201  opened by Devin Jeanpierre

#23202: pyvenv does not fail like documented when a venv already exist
http://bugs.python.org/issue23202  opened by The Compiler

#23203: Aliasing import of sub-{module,package} from the package raise
http://bugs.python.org/issue2

[Python-Dev] Summary of Python tracker Issues

2015-01-16 Thread Python tracker

ACTIVITY SUMMARY (2015-01-09 - 2015-01-16)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4736 (+10)
  closed 30277 (+33)
  total  35013 (+43)

Open issues with patches: 2220 


Issues opened (32)
==

#22038: Implement atomic operations on non-x86 platforms
http://bugs.python.org/issue22038  reopened by haypo

#23211: test.test_logging.SMTPHandlerTest failing on Snow Leopard
http://bugs.python.org/issue23211  opened by geoffreyspear

#23212: Update Windows and OS X installer copies of OpenSSL to 1.0.1k
http://bugs.python.org/issue23212  opened by ned.deily

#23213: subprocess communicate() hangs when stderr isn't closed
http://bugs.python.org/issue23213  opened by whissi

#23214: BufferedReader.read1(size) signature incompatible with Buffere
http://bugs.python.org/issue23214  opened by vadmium

#23215: MemoryError with custom error handlers and multibyte codecs
http://bugs.python.org/issue23215  opened by alexer

#23216: IDLE grep/find/replace source code needs docstrings
http://bugs.python.org/issue23216  opened by Al.Sweigart

#23217: help() function incorrectly captures comment preceding a neste
http://bugs.python.org/issue23217  opened by rhettinger

#23218: Modernize the IDLE Find/Replace/Find in Files dialogs
http://bugs.python.org/issue23218  opened by Al.Sweigart

#23220: IDLE does not display \b backspace correctly.
http://bugs.python.org/issue23220  opened by Al.Sweigart

#23224: LZMADecompressor object is only initialized in __init__
http://bugs.python.org/issue23224  opened by vadmium

#23226: Add float linspace recipe to docs
http://bugs.python.org/issue23226  opened by abarnert

#23227: Generator's finally block not run if close() called before fir
http://bugs.python.org/issue23227  opened by sjdrake

#23228: Crashes when tarfile contains a symlink and unpack directory c
http://bugs.python.org/issue23228  opened by mvo

#23229: add inf, nan, infj, nanj to cmath module
http://bugs.python.org/issue23229  opened by mark.dickinson

#23231: Fix codecs.iterencode/decode() by allowing data parameter to b
http://bugs.python.org/issue23231  opened by vadmium

#23232: 'codecs' module functionality + its docs -- concerning custom 
http://bugs.python.org/issue23232  opened by zuo

#23233: TypeError in ./setup.py
http://bugs.python.org/issue23233  opened by serhiy.storchaka

#23235: run_tests.py doesn't set test.support.verbose correctly
http://bugs.python.org/issue23235  opened by berker.peksag

#23236: asyncio: add timeout to StreamReader read methods
http://bugs.python.org/issue23236  opened by haypo

#23237: Interrupts are lost during readline PyOS_InputHook processing 
http://bugs.python.org/issue23237  opened by Michiel.de.Hoon

#23238: http.server failed to decode '+' to ' ' when calling cgi scrip
http://bugs.python.org/issue23238  opened by memkmemk

#23239: SSL match_hostname does not accept IP Address
http://bugs.python.org/issue23239  opened by Ádám.Zsigmond

#23241: shutil should accept pathlib types
http://bugs.python.org/issue23241  opened by mkesper

#23243: asyncio: emit ResourceWarning warnings if transports/event loo
http://bugs.python.org/issue23243  opened by haypo

#23245: urllib2: urlopen() gets exception(kwargs bug?)
http://bugs.python.org/issue23245  opened by Douman

#23246: distutils fails to locate vcvarsall with Visual C++ Compiler f
http://bugs.python.org/issue23246  opened by Gregory.Szorc

#23247: Multibyte codec StreamWriter.reset() crashes
http://bugs.python.org/issue23247  opened by vadmium

#23248: Update ssl data
http://bugs.python.org/issue23248  opened by pitrou

#23249: test_win32 fails on aarch64
http://bugs.python.org/issue23249  opened by rkuska

#23250: http.cookies HttpOnly attribute does not use suggested case-st
http://bugs.python.org/issue23250  opened by jdufresne

#23251: mention in time.sleep() docs that it does not block other Pyth
http://bugs.python.org/issue23251  opened by akira



Most recent 15 issues with no replies (15)
==

#23251: mention in time.sleep() docs that it does not block other Pyth
http://bugs.python.org/issue23251

#23250: http.cookies HttpOnly attribute does not use suggested case-st
http://bugs.python.org/issue23250

#23249: test_win32 fails on aarch64
http://bugs.python.org/issue23249

#23248: Update ssl data
http://bugs.python.org/issue23248

#23247: Multibyte codec StreamWriter.reset() crashes
http://bugs.python.org/issue23247

#23227: Generator's finally block not run if close() called before fir
http://bugs.python.org/issue23227

#23218: Modernize the IDLE Find/Replace/Find in Files dialogs
http://bugs.python.org/issue23218

#23217: help() function incorrectly captures comment preceding a neste
http://bugs.python.org/issue23217

#23216: IDLE grep/find/replace source code needs do

[Python-Dev] Summary of Python tracker Issues

2015-01-23 Thread Python tracker

ACTIVITY SUMMARY (2015-01-16 - 2015-01-23)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4760 (+24)
  closed 30307 (+30)
  total  35067 (+54)

Open issues with patches: 2228 


Issues opened (38)
==

#23095: [Windows] asyncio: race condition when cancelling a _WaitHandl
http://bugs.python.org/issue23095  reopened by haypo

#23252: Add support of writing to unseekable file in zipfile
http://bugs.python.org/issue23252  opened by serhiy.storchaka

#23253: Delay-load ShellExecute
http://bugs.python.org/issue23253  opened by steve.dower

#23254: Document how to close the TCPServer listening socket
http://bugs.python.org/issue23254  opened by vadmium

#23255: SimpleHTTPRequestHandler refactor for more extensible usage.
http://bugs.python.org/issue23255  opened by last-ent

#23257: Update Windows build/setup instructions in devguide
http://bugs.python.org/issue23257  opened by steve.dower

#23258: Cannot Install Python 3.4.2 on Windows 7 64 bit / screen print
http://bugs.python.org/issue23258  opened by 20scanman

#23260: Update Windows installer
http://bugs.python.org/issue23260  opened by steve.dower

#23262: webbrowser module broken with Firefox 36+
http://bugs.python.org/issue23262  opened by ssokolow

#23263: Python 3 gives misleading errors when validating unicode ident
http://bugs.python.org/issue23263  opened by Matt.Bachmann

#23264: Add pickle support of dict views
http://bugs.python.org/issue23264  opened by serhiy.storchaka

#23267: multiprocessing pool.py doesn't close inqueue and outqueue pip
http://bugs.python.org/issue23267  opened by shanip

#23268: Fix comparison of ipaddress classes
http://bugs.python.org/issue23268  opened by serhiy.storchaka

#23270: Use the new __builtin_mul_overflow() of Clang and GCC 5 to che
http://bugs.python.org/issue23270  opened by haypo

#23273: traceback: formatting a traceback stats the filesystem
http://bugs.python.org/issue23273  opened by rbcollins

#23274: make_ssl_data.py in Python 2.7.9 needs Python 3 to run
http://bugs.python.org/issue23274  opened by schlenk

#23275: Can assign [] = (), but not () = []
http://bugs.python.org/issue23275  opened by Devin Jeanpierre

#23276: hackcheck is broken in association with __setattr__
http://bugs.python.org/issue23276  opened by devkid

#23277: Cleanup unused and duplicate imports in tests
http://bugs.python.org/issue23277  opened by jdufresne

#23278: multiprocessing maxtasksperchild=1 + logging = task loss
http://bugs.python.org/issue23278  opened by nelson

#23279: test_site/test_startup_imports fails when mpl_toolkit or logil
http://bugs.python.org/issue23279  opened by drudd

#23282: Slightly faster set lookup
http://bugs.python.org/issue23282  opened by serhiy.storchaka

#23283: Backport Tools/clinic to 3.4
http://bugs.python.org/issue23283  opened by zach.ware

#23284: curses, readline, tinfo, and also --prefix, dbm, CPPFLAGS
http://bugs.python.org/issue23284  opened by pooryorick

#23285: PEP 475 - EINTR handling
http://bugs.python.org/issue23285  opened by neologix

#23286: A typo in the tutorial
http://bugs.python.org/issue23286  opened by aruseni

#23287: ctypes.util.find_library needlessly call crle on Solaris
http://bugs.python.org/issue23287  opened by jbeck

#23289: concurrent.futures.Executor.map is not equivalent to map.
http://bugs.python.org/issue23289  opened by majkrzak

#23290: Faster set copying
http://bugs.python.org/issue23290  opened by serhiy.storchaka

#23291: Documentation about Py_Finalize(): Freeing objects
http://bugs.python.org/issue23291  opened by Albert.Zeyer

#23292: Enum doc suggestion
http://bugs.python.org/issue23292  opened by mark

#23295: [Windows] asyncio: add UDP support to ProactorEventLoop
http://bugs.python.org/issue23295  opened by haypo

#23297: ‘tokenize.detect_encoding’ is confused between text and by
http://bugs.python.org/issue23297  opened by bignose

#23298: Add ArgumentParser.add_mutually_dependence_group
http://bugs.python.org/issue23298  opened by dongwm

#23300: httplib is using a method that doesn't exist
http://bugs.python.org/issue23300  opened by guohua

#23303: test_license_exists_at_url() of test_site fails on "x86 XP-4 3
http://bugs.python.org/issue23303  opened by haypo

#23304: Unused Superclass in calendar.py
http://bugs.python.org/issue23304  opened by CliffM

#23305: RotatingFileHandler does not rotate if backupCount is 0
http://bugs.python.org/issue23305  opened by Juha.Lemmetti



Most recent 15 issues with no replies (15)
==

#23305: RotatingFileHandler does not rotate if backupCount is 0
http://bugs.python.org/issue23305

#23304: Unused Superclass in calendar.py
http://bugs.python.org/issue23304

#23291: Documentation about Py_Finalize(): Freeing objects
http://bugs.python.org/issue23291

#23289: concurrent.futures.Executor.map is

[Python-Dev] Summary of Python tracker Issues

2015-01-30 Thread Python tracker

ACTIVITY SUMMARY (2015-01-23 - 2015-01-30)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4764 ( +4)
  closed 30351 (+44)
  total  35115 (+48)

Open issues with patches: 2224 


Issues opened (38)
==

#21076: Turn signal.SIG* constants into enums
http://bugs.python.org/issue21076  reopened by serhiy.storchaka

#23306: Within zipfile, use of zlib.crc32 raises OverflowError at argu
http://bugs.python.org/issue23306  opened by Danny.Yoo

#23308: a bug in Instructions section 4.1
http://bugs.python.org/issue23308  opened by Dmot

#23309: Hang on interpreter shutdown if daemon thread prints to stdout
http://bugs.python.org/issue23309  opened by marienz

#23310: MagicMock constructor configuration fails for magic methods
http://bugs.python.org/issue23310  opened by berdario

#23311: Update PC/example_nt and extending/windows.rst
http://bugs.python.org/issue23311  opened by steve.dower

#23312: google thinks the docs are mobile unfriendly
http://bugs.python.org/issue23312  opened by benjamin.peterson

#23314: Disabling CRT asserts in debug build
http://bugs.python.org/issue23314  opened by steve.dower

#23315: tempfile.mkdtemp fails with non-ascii paths on Python 2
http://bugs.python.org/issue23315  opened by akira

#23316: Incorrect evaluation order of function arguments with *args
http://bugs.python.org/issue23316  opened by Joshua.Landau

#23317: Incorrect description of descriptor invocation in Python Langu
http://bugs.python.org/issue23317  opened by Justin.Eldridge

#23319: Missing SWAP_INT in I_set_sw
http://bugs.python.org/issue23319  opened by mgautierfr

#23320: devguide should mention rules about "paragraph reflow" in the 
http://bugs.python.org/issue23320  opened by akira

#23321: Crash in str.decode() with special error handler
http://bugs.python.org/issue23321  opened by serhiy.storchaka

#23322: parser module docs missing second example
http://bugs.python.org/issue23322  opened by Devin Jeanpierre

#23323: Issue with imaplib and append messages passing a tuple with fl
http://bugs.python.org/issue23323  opened by Pilessio

#23324: Nonblocking serial io using Arduino and Ubuntu 14.10 (Python 3
http://bugs.python.org/issue23324  opened by MrYsLab

#23325: Turn SIG_DFL and SIG_IGN into functions
http://bugs.python.org/issue23325  opened by serhiy.storchaka

#23326: Remove redundant __ne__ implementations
http://bugs.python.org/issue23326  opened by serhiy.storchaka

#23327: zipimport to import from non-ascii pathname on Windows
http://bugs.python.org/issue23327  opened by amswap

#23328: urllib2 fails for proxy credentials that contain a '/' charact
http://bugs.python.org/issue23328  opened by Andy.Reitz

#23330: h2py.py regular expression missing
http://bugs.python.org/issue23330  opened by Thomas.Roos

#23331: Add non-interactive version of Bdb.runcall
http://bugs.python.org/issue23331  opened by etanol

#23332: datetime.isoformat() -> explicitly mark UTC string as such
http://bugs.python.org/issue23332  opened by mirkovogt

#2: asyncio: add a new Protocol.connection_failed() method
http://bugs.python.org/issue2  opened by haypo

#23336: Thread.LockType is misnamed
http://bugs.python.org/issue23336  opened by cindykrafft

#23337: Run python with restricted rights
http://bugs.python.org/issue23337  opened by marcd

#23338: PyErr_Format in ctypes uses invalid parameter
http://bugs.python.org/issue23338  opened by mkato

#23342: run() - unified high-level interface for subprocess
http://bugs.python.org/issue23342  opened by takluyver

#23344: Faster marshalling
http://bugs.python.org/issue23344  opened by serhiy.storchaka

#23345: test_ssl fails on OS X 10.10.2 with latest patch level of Open
http://bugs.python.org/issue23345  opened by ned.deily

#23346: shutil.rmtree doesn't work correctly on FreeBSD.
http://bugs.python.org/issue23346  opened by negval

#23348: distutils.LooseVersion fails to compare two valid versions
http://bugs.python.org/issue23348  opened by maethor

#23349: PyBuffer_ToContiguous() off-by-one error for non-contiguous bu
http://bugs.python.org/issue23349  opened by rhansen

#23350: Content-length is incorrect when request body is a list or tup
http://bugs.python.org/issue23350  opened by demian.brecht

#23351: socket.settimeout(5.0) does not have any effect
http://bugs.python.org/issue23351  opened by piotrjurkiewicz

#23352: PyBuffer_IsContiguous() sometimes returns wrong result if subo
http://bugs.python.org/issue23352  opened by rhansen

#23353: gnerator bug with exception: tstate->exc_value is not cleared 
http://bugs.python.org/issue23353  opened by haypo



Most recent 15 issues with no replies (15)
==

#23349: PyBuffer_ToContiguous() off-by-one error for non-contiguous bu
http://bugs.python.org/issue23349

#23344: Faster marshalling
ht

[Python-Dev] Summary of Python tracker Issues

2015-02-06 Thread Python tracker

ACTIVITY SUMMARY (2015-01-30 - 2015-02-06)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4765 ( +1)
  closed 30398 (+47)
  total  35163 (+48)

Open issues with patches: 2224 


Issues opened (29)
==

#16632: Enable DEP and ASLR
http://bugs.python.org/issue16632  reopened by haypo

#23354: Loading 2 GiLOC file which raises exception causes wrong trace
http://bugs.python.org/issue23354  opened by SoniEx2

#23356: In argparse docs simplify example about argline
http://bugs.python.org/issue23356  opened by py.user

#23357: pyvenv help shows incorrect usage
http://bugs.python.org/issue23357  opened by raulcd

#23359: Speed-up set_lookkey()
http://bugs.python.org/issue23359  opened by rhettinger

#23360: Content-Type when sending data with urlopen()
http://bugs.python.org/issue23360  opened by vadmium

#23361: integer overflow in winapi_createprocess
http://bugs.python.org/issue23361  opened by pkt

#23362: integer overflow in string translate
http://bugs.python.org/issue23362  opened by pkt

#23367: integer overflow in unicodedata.normalize
http://bugs.python.org/issue23367  opened by pkt

#23368: integer overflow in _PyUnicode_AsKind
http://bugs.python.org/issue23368  opened by pkt

#23371: mimetypes initialization fails on Windows because of TypeError
http://bugs.python.org/issue23371  opened by Slion

#23372: defaultdict.fromkeys should accept a callable factory
http://bugs.python.org/issue23372  opened by justanr

#23374: pydoc 3.x raises UnicodeEncodeError on sqlite3 package
http://bugs.python.org/issue23374  opened by skip.montanaro

#23375: test_py3kwarn fails on Windows
http://bugs.python.org/issue23375  opened by serhiy.storchaka

#23376: getargs.c: redundant C-contiguity check
http://bugs.python.org/issue23376  opened by skrah

#23377: HTTPResponse may drop buffer holding next response
http://bugs.python.org/issue23377  opened by vadmium

#23378: argparse.add_argument action parameter should allow value exte
http://bugs.python.org/issue23378  opened by the.mulhern

#23382: Maybe can not shutdown ThreadPoolExecutor when call the method
http://bugs.python.org/issue23382  opened by miles

#23383: Clean up bytes formatting
http://bugs.python.org/issue23383  opened by serhiy.storchaka

#23384: urllib.proxy_bypass_registry slow down under Windows if websit
http://bugs.python.org/issue23384  opened by aristotel

#23387: test_urllib2 fails with HTTP Error 502: Bad Gateway
http://bugs.python.org/issue23387  opened by berker.peksag

#23388: datetime.strftime('%s') does not take timezone into account
http://bugs.python.org/issue23388  opened by cameris

#23389: pkgutil.find_loader raises an ImportError on PEP 420 implicit 
http://bugs.python.org/issue23389  opened by alynn

#23391: Documentation of EnvironmentError (OSError) arguments disappea
http://bugs.python.org/issue23391  opened by vadmium

#23394: No garbage collection at end of main thread
http://bugs.python.org/issue23394  opened by François.Trahan

#23395: _thread.interrupt_main() errors if SIGINT handler in SIG_DFL, 
http://bugs.python.org/issue23395  opened by takluyver

#23397: PEP 431 implementation
http://bugs.python.org/issue23397  opened by berker.peksag

#23400: Inconsistent behaviour of multiprocessing.Queue() if sem_open 
http://bugs.python.org/issue23400  opened by olebole

#23401: Add pickle support of Mapping views
http://bugs.python.org/issue23401  opened by serhiy.storchaka



Most recent 15 issues with no replies (15)
==

#23400: Inconsistent behaviour of multiprocessing.Queue() if sem_open 
http://bugs.python.org/issue23400

#23395: _thread.interrupt_main() errors if SIGINT handler in SIG_DFL, 
http://bugs.python.org/issue23395

#23391: Documentation of EnvironmentError (OSError) arguments disappea
http://bugs.python.org/issue23391

#23387: test_urllib2 fails with HTTP Error 502: Bad Gateway
http://bugs.python.org/issue23387

#23384: urllib.proxy_bypass_registry slow down under Windows if websit
http://bugs.python.org/issue23384

#23378: argparse.add_argument action parameter should allow value exte
http://bugs.python.org/issue23378

#23377: HTTPResponse may drop buffer holding next response
http://bugs.python.org/issue23377

#23368: integer overflow in _PyUnicode_AsKind
http://bugs.python.org/issue23368

#23367: integer overflow in unicodedata.normalize
http://bugs.python.org/issue23367

#23354: Loading 2 GiLOC file which raises exception causes wrong trace
http://bugs.python.org/issue23354

#23331: Add non-interactive version of Bdb.runcall
http://bugs.python.org/issue23331

#23330: h2py.py regular expression missing
http://bugs.python.org/issue23330

#23325: Turn SIG_DFL and SIG_IGN into functions
http://bugs.python.org/issue23325

#23319: Missing SWAP_INT in I_set_sw
http://bugs.python.org/issue23319

#23314: Disabling CRT 

[Python-Dev] Summary of Python tracker Issues

2015-02-13 Thread Python tracker

ACTIVITY SUMMARY (2015-02-06 - 2015-02-13)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4790 (+25)
  closed 30430 (+32)
  total  35220 (+57)

Open issues with patches: 2254 


Issues opened (47)
==

#21793: httplib client/server status refactor
http://bugs.python.org/issue21793  reopened by serhiy.storchaka

#23402: dynload_shlib does not close ldl handles when the interpreter 
http://bugs.python.org/issue23402  opened by Adam

#23403: Use pickle protocol 4 by default?
http://bugs.python.org/issue23403  opened by serhiy.storchaka

#23404: 'make touch' does not work with git clones of the source repos
http://bugs.python.org/issue23404  opened by vlee

#23405: Tools/freeze "make" gets missing file error with unix shared b
http://bugs.python.org/issue23405  opened by ned.deily

#23406: interning and list comprehension leads to unexpected behavior
http://bugs.python.org/issue23406  opened by Abraham.Smith

#23407: os.walk always follows Windows junctions
http://bugs.python.org/issue23407  opened by craigh

#23408: Pickle tests use incorrect test data
http://bugs.python.org/issue23408  opened by serhiy.storchaka

#23410: Document more BaseHTTPRequestHandler attributes
http://bugs.python.org/issue23410  opened by vadmium

#23411: Update urllib.parse.__all__
http://bugs.python.org/issue23411  opened by vadmium

#23414: seek(count, whence) accepts bogus whence on windows, python2.7
http://bugs.python.org/issue23414  opened by mattip

#23415: add-to-pydotorg does not support .exe installers for Windows
http://bugs.python.org/issue23415  opened by larry

#23416: Make urllib.parse.SplitResult etc arguments optional
http://bugs.python.org/issue23416  opened by vadmium

#23418: Keep http.server.__all__ up to date
http://bugs.python.org/issue23418  opened by vadmium

#23419: Faster default __reduce__ for classes without __init__
http://bugs.python.org/issue23419  opened by serhiy.storchaka

#23420: python -m cProfile -s fails with non informative message
http://bugs.python.org/issue23420  opened by rkuska

#23422: Clarify docs for importlib.import_module()
http://bugs.python.org/issue23422  opened by brett.cannon

#23423: XPath Support in ElementTree doc omission
http://bugs.python.org/issue23423  opened by mbakeranalecta

#23424: Unicode character ends interactive session
http://bugs.python.org/issue23424  opened by AGrzes

#23425: Windows getlocale unix-like with french, german, portuguese, s
http://bugs.python.org/issue23425  opened by fo...@yahoo.com

#23426: run_setup is broken in distutils
http://bugs.python.org/issue23426  opened by belopolsky

#23427: Python should expose command when invoked with -c
http://bugs.python.org/issue23427  opened by jgehrcke

#23428: Use the monotonic clock for thread conditions on POSIX platfor
http://bugs.python.org/issue23428  opened by haypo

#23430: socketserver.BaseServer.handle_error() should not catch exitin
http://bugs.python.org/issue23430  opened by vadmium

#23431: Idle Application Not Responding
http://bugs.python.org/issue23431  opened by ww0115

#23432: Duplicate content in SystemExit documentation
http://bugs.python.org/issue23432  opened by berker.peksag

#23434: RFC6266 support (Content-Disposition for HTTP)
http://bugs.python.org/issue23434  opened by Myroslav.Opyr

#23436: xml.dom.minidom.Element.ownerDocument is hiden
http://bugs.python.org/issue23436  opened by krocard

#23437: Make user scripts directory versioned on Windows
http://bugs.python.org/issue23437  opened by pmoore

#23439: Fixed http.client.__all__ and added a test
http://bugs.python.org/issue23439  opened by vadmium

#23440: Extend http.server.SimpleHTTPRequestHandler testing
http://bugs.python.org/issue23440  opened by vadmium

#23441: rlcompleter: tab on empty prefix => insert spaces
http://bugs.python.org/issue23441  opened by arigo

#23442: http.client.REQUEST_HEADER_FIELDS_TOO_LARGE renamed in 3.5
http://bugs.python.org/issue23442  opened by vadmium

#23443: XMLRPCLIB Exception uses str not class or instance
http://bugs.python.org/issue23443  opened by kmarsh

#23444: HCI Bluetooth socket bind error on an arm crosscompiled enviro
http://bugs.python.org/issue23444  opened by Thomas.Chiroux

#23446: Use PyMem_New instead of PyMem_Malloc
http://bugs.python.org/issue23446  opened by serhiy.storchaka

#23448: urllib2 needs to remove scope from IPv6 address when creating 
http://bugs.python.org/issue23448  opened by ngierman

#23449: Fatal errors rebuilding 3.5 from Visual Studio Windows 8.1 64 
http://bugs.python.org/issue23449  opened by BreamoreBoy

#23450: Possible loss of data warnings building 3.5 Visual Studio Wind
http://bugs.python.org/issue23450  opened by BreamoreBoy

#23451: Deprecation warnings building 3.5 Visual Studio Windows 8.1 64
http://bugs.python.org/issue23451  opened by BreamoreBoy

#23452: Build 

[Python-Dev] Summary of Python tracker Issues

2015-02-20 Thread Python tracker

ACTIVITY SUMMARY (2015-02-13 - 2015-02-20)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4770 (-20)
  closed 30484 (+54)
  total  35254 (+34)

Open issues with patches: 2239 


Issues opened (24)
==

#23018: Add version info to python
http://bugs.python.org/issue23018  reopened by serhiy.storchaka

#23460: Decimals do not obey ':g' exponential notation formatting rule
http://bugs.python.org/issue23460  opened by ikelly

#23462: All os.exec*e variants crash on Windows
http://bugs.python.org/issue23462  opened by nicolaje

#23464: Remove or deprecate JoinableQueue in asyncio docs
http://bugs.python.org/issue23464  opened by emptysquare

#23465: Implement PEP 486 - Make the Python Launcher aware of virtual 
http://bugs.python.org/issue23465  opened by pmoore

#23466: PEP 461: Inconsistency between str and bytes formatting of int
http://bugs.python.org/issue23466  opened by serhiy.storchaka

#23467: Improve byte formatting compatibility between Py2 and Py3
http://bugs.python.org/issue23467  opened by serhiy.storchaka

#23469: Delete Misc/*.wpr files
http://bugs.python.org/issue23469  opened by berker.peksag

#23470: OpenBSD buildbot uses wrong stdlib
http://bugs.python.org/issue23470  opened by serhiy.storchaka

#23471: 404 Not Found when downloading Python 3.4.3rc1 Documentation
http://bugs.python.org/issue23471  opened by stringsonfire

#23472: Setup locales on buildbots
http://bugs.python.org/issue23472  opened by serhiy.storchaka

#23476: SSL cert verify fail for "www.verisign.com"
http://bugs.python.org/issue23476  opened by nagle

#23477: Increase coverage for wsgiref module
http://bugs.python.org/issue23477  opened by ashkop

#23484: SemLock acquire() keyword arg 'blocking' is invalid
http://bugs.python.org/issue23484  opened by td

#23485: PEP 475: handle EINTR in the select and selectors module
http://bugs.python.org/issue23485  opened by haypo

#23486: Enum member lookup is 20x slower than normal class attribute l
http://bugs.python.org/issue23486  opened by craigh

#23487: argparse: add_subparsers 'action' broken
http://bugs.python.org/issue23487  opened by derks

#23488: Random objects twice as big as necessary on 64-bit builds
http://bugs.python.org/issue23488  opened by rhettinger

#23489: atexit handlers are not executed when using multiprocessing.Po
http://bugs.python.org/issue23489  opened by juj

#23490: allocation (and overwrite) of a 0 byte buffer
http://bugs.python.org/issue23490  opened by pkt

#23491: PEP 441 - Improving Python Zip Application Support
http://bugs.python.org/issue23491  opened by pmoore

#23492: Argument Clinic: improve generated parser for 1-argument funct
http://bugs.python.org/issue23492  opened by serhiy.storchaka

#23493: optimize sort_keys in json module by using operator.itemgetter
http://bugs.python.org/issue23493  opened by wbolster

#433028: SRE: (?flag:...) is not supported
http://bugs.python.org/issue433028  reopened by serhiy.storchaka



Most recent 15 issues with no replies (15)
==

#23493: optimize sort_keys in json module by using operator.itemgetter
http://bugs.python.org/issue23493

#23492: Argument Clinic: improve generated parser for 1-argument funct
http://bugs.python.org/issue23492

#23487: argparse: add_subparsers 'action' broken
http://bugs.python.org/issue23487

#23485: PEP 475: handle EINTR in the select and selectors module
http://bugs.python.org/issue23485

#23484: SemLock acquire() keyword arg 'blocking' is invalid
http://bugs.python.org/issue23484

#23470: OpenBSD buildbot uses wrong stdlib
http://bugs.python.org/issue23470

#23469: Delete Misc/*.wpr files
http://bugs.python.org/issue23469

#23464: Remove or deprecate JoinableQueue in asyncio docs
http://bugs.python.org/issue23464

#23459: Linux: expose the new execveat() syscall
http://bugs.python.org/issue23459

#23456: asyncio: add missing @coroutine decorators
http://bugs.python.org/issue23456

#23455: file iterator "deemed broken"; can resume after StopIteration
http://bugs.python.org/issue23455

#23444: HCI Bluetooth socket bind error on an arm crosscompiled enviro
http://bugs.python.org/issue23444

#23443: XMLRPCLIB Exception uses str not class or instance
http://bugs.python.org/issue23443

#23436: xml.dom.minidom.Element.ownerDocument is hiden
http://bugs.python.org/issue23436

#23423: XPath Support in ElementTree doc omission
http://bugs.python.org/issue23423



Most recent 15 issues waiting for review (15)
=

#23492: Argument Clinic: improve generated parser for 1-argument funct
http://bugs.python.org/issue23492

#23491: PEP 441 - Improving Python Zip Application Support
http://bugs.python.org/issue23491

#23490: allocation (and overwrite) of a 0 byte buffer
http://bugs.pyth

[Python-Dev] Summary of Python tracker Issues

2015-02-27 Thread Python tracker

ACTIVITY SUMMARY (2015-02-20 - 2015-02-27)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4788 (+18)
  closed 30510 (+26)
  total  35298 (+44)

Open issues with patches: 2245 


Issues opened (34)
==

#23458: [2.7] random: make the file descriptor non-inheritable (on POS
http://bugs.python.org/issue23458  reopened by haypo

#23494: adding timedelta to datetime object is not timezone aware
http://bugs.python.org/issue23494  opened by gilsho

#23495: The writer.writerows method should be documented as accepting 
http://bugs.python.org/issue23495  opened by Steven.Barker

#23496: Steps for Android Native Build of Python 3.4.2
http://bugs.python.org/issue23496  opened by chaselton

#23498: Expose http.cookiejar.split_header_words()
http://bugs.python.org/issue23498  opened by vadmium

#23500: Argument Clinic: multiple macro definition
http://bugs.python.org/issue23500  opened by serhiy.storchaka

#23501: Argument Clinic: generate code into separate files by default
http://bugs.python.org/issue23501  opened by serhiy.storchaka

#23502: pprint: added support for mapping proxy
http://bugs.python.org/issue23502  opened by serhiy.storchaka

#23503: undefined behavior in Objects/obmalloc.c
http://bugs.python.org/issue23503  opened by dwight.guth

#23504: Add __all__ into types
http://bugs.python.org/issue23504  opened by serhiy.storchaka

#23505: Urlparse insufficient validation leads to open redirect
http://bugs.python.org/issue23505  opened by yaaboukir

#23507: Tuple creation is too slow
http://bugs.python.org/issue23507  opened by serhiy.storchaka

#23508: Document & unittest the subprocess.getstatusoutput() status va
http://bugs.python.org/issue23508  opened by gregory.p.smith

#23509: Speed up Counter operators
http://bugs.python.org/issue23509  opened by joern

#23510: multiprocessing bug SyncManager and 'with'
http://bugs.python.org/issue23510  opened by Cezary.Wagner

#23512: List of builtins is not alphabetical on https://docs.python.or
http://bugs.python.org/issue23512  opened by edsouza

#23513: Add support for classes/object model in multiprocessing/pickle
http://bugs.python.org/issue23513  opened by Cezary.Wagner

#23514: multiprocessing documentation - little more examples for paral
http://bugs.python.org/issue23514  opened by Cezary.Wagner

#23516: pip: urllib3 does not encode userinfo section of URL with auth
http://bugs.python.org/issue23516  opened by leotan

#23517: datetime.utcfromtimestamp parses timestamps incorrectly
http://bugs.python.org/issue23517  opened by tbarbugli

#23520: test_os failed (python-3.4.3)
http://bugs.python.org/issue23520  opened by avoevodkin

#23521: OverflowError from timedelta * float in datetime.py
http://bugs.python.org/issue23521  opened by belopolsky

#23522: Misleading note in Statistics module documentation
http://bugs.python.org/issue23522  opened by Journeyman08

#23524: Use _set_thread_local_invalid_parameter_handler in posixmodule
http://bugs.python.org/issue23524  opened by steve.dower

#23525: isbuiltin, isroutine, etc.
http://bugs.python.org/issue23525  opened by abarnert

#23526: Silence resource warnings in test_httplib
http://bugs.python.org/issue23526  opened by ashkop

#23527: test_smtpnet uses incorrect port for STARTTLS
http://bugs.python.org/issue23527  opened by ashkop

#23528: Limit decompressed data when reading from GzipFile
http://bugs.python.org/issue23528  opened by vadmium

#23529: Limit decompressed data when reading from LZMAFile and BZ2File
http://bugs.python.org/issue23529  opened by vadmium

#23530: os and multiprocessing.cpu_count do not respect cpuset/affinit
http://bugs.python.org/issue23530  opened by jtaylor

#23531: SSL operations cause entire process to hang
http://bugs.python.org/issue23531  opened by johnkw

#23532: add example of 'first match wins' to regex "|"  documentation?
http://bugs.python.org/issue23532  opened by Rick Otten

#23534: `test_longdouble` fails on Mac when using system libffi (versi
http://bugs.python.org/issue23534  opened by Maxime Belanger

#23536: Add explicit information on config file format not supporting 
http://bugs.python.org/issue23536  opened by piotr.dobrogost



Most recent 15 issues with no replies (15)
==

#23536: Add explicit information on config file format not supporting 
http://bugs.python.org/issue23536

#23527: test_smtpnet uses incorrect port for STARTTLS
http://bugs.python.org/issue23527

#23525: isbuiltin, isroutine, etc.
http://bugs.python.org/issue23525

#23522: Misleading note in Statistics module documentation
http://bugs.python.org/issue23522

#23520: test_os failed (python-3.4.3)
http://bugs.python.org/issue23520

#23512: List of builtins is not alphabetical on https://docs.python.or
http://bugs.python.org/issue23512

#23504: Add __all__

[Python-Dev] Summary of Python tracker Issues

2015-03-06 Thread Python tracker

ACTIVITY SUMMARY (2015-02-27 - 2015-03-06)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4804 (+16)
  closed 30555 (+45)
  total  35359 (+61)

Open issues with patches: 2260 


Issues opened (47)
==

#22079: Ensure in PyType_Ready() that base class of static type is sta
http://bugs.python.org/issue22079  reopened by doko

#23538: New Windows installer in 3.5.0a1 breaks compatibility with Win
http://bugs.python.org/issue23538  opened by Link Mauve

#23539: Content-length not set for HTTP methods expecting body when bo
http://bugs.python.org/issue23539  opened by demian.brecht

#23540: Proposal for asyncio: SubprocessTransport.detach() to detach a
http://bugs.python.org/issue23540  opened by martius

#23542: Update PEP 476 for using urllib2.build_opener()
http://bugs.python.org/issue23542  opened by Shakeel Mohamed

#23543: encoding error trying to save string to file
http://bugs.python.org/issue23543  opened by Gravitania

#23544: IDLE hangs when selecting Stack View with debug active
http://bugs.python.org/issue23544  opened by Andrew.Harrington

#23545: Turn on extra warnings on GCC
http://bugs.python.org/issue23545  opened by serhiy.storchaka

#23546: windows, IDLE and pep 397
http://bugs.python.org/issue23546  opened by Liam.Marsh

#23549: heapq docs should be more precise about how to access the smal
http://bugs.python.org/issue23549  opened by eli.bendersky

#23550: Add to unicodedata a function to query the "Quick_Check" prope
http://bugs.python.org/issue23550  opened by Hammerite

#23551: IDLE to provide menu options for using PIP
http://bugs.python.org/issue23551  opened by rhettinger

#23552: Have timeit warn about runs that are not independent of each o
http://bugs.python.org/issue23552  opened by rhettinger

#23553: Reduce the number of comparisons for range checking.
http://bugs.python.org/issue23553  opened by rhettinger

#23554: EchoServerClientProtocol class should be called EchoServerProt
http://bugs.python.org/issue23554  opened by gc

#23555: behavioural change in argparse set_defaults in python 2.7.9
http://bugs.python.org/issue23555  opened by doko

#23556: Scope for raise without argument is different in Python 2 and 
http://bugs.python.org/issue23556  opened by a3nm

#23557: Misc/SpecialBuilds.txt contains outdated information about PYM
http://bugs.python.org/issue23557  opened by Jakub Klama

#23560: Group the docs of similar methods in stdtypes.rst
http://bugs.python.org/issue23560  opened by ezio.melotti

#23564: Patch fixing sanity check for ordered fd sequence in _posixsub
http://bugs.python.org/issue23564  opened by Hisham Muhammad

#23565: local_clear walks the list of threads without holding head_loc
http://bugs.python.org/issue23565  opened by stutzbach

#23566: RFE: faulthandler.register() should support file descriptors
http://bugs.python.org/issue23566  opened by haypo

#23567: os.stat() tuple access vs named attribute access int vs float
http://bugs.python.org/issue23567  opened by gregory.p.smith

#23568: unittest.mock.MagicMock doesn't support __rdivmod__
http://bugs.python.org/issue23568  opened by zkrynicki

#23570: Change "with subprocess.Popen():" (context manager) to ignore 
http://bugs.python.org/issue23570  opened by haypo

#23571: Raise SystemError if a function returns a result with an excep
http://bugs.python.org/issue23571  opened by haypo

#23572: functools.singledispatch fails when "not BaseClass" is True
http://bugs.python.org/issue23572  opened by Sergio Pascual

#23573: Avoid redundant allocations in str.find and like
http://bugs.python.org/issue23573  opened by serhiy.storchaka

#23574: datetime: support leap seconds
http://bugs.python.org/issue23574  opened by haypo

#23575: MIPS64 needs ffi's n32.S
http://bugs.python.org/issue23575  opened by Simon Hoinkis

#23577: Add tests for wsgiref.validate
http://bugs.python.org/issue23577  opened by ashkop

#23578: struct.pack error messages do not indicate which argument was 
http://bugs.python.org/issue23578  opened by alynn

#23579: Amazon.com links
http://bugs.python.org/issue23579  opened by Edrie Ddrie

#23581: unittest.mock.MagicMock doesn't support matmul (@) operator
http://bugs.python.org/issue23581  opened by zkrynicki

#23583: IDLE: printing unicode subclasses broken (again)
http://bugs.python.org/issue23583  opened by mjpieters

#23584: test_doctest lineendings fails in verbose mode
http://bugs.python.org/issue23584  opened by jbeck

#23585: patchcheck doesn't depend on all
http://bugs.python.org/issue23585  opened by rbcollins

#23587: asyncio: use the new traceback.TracebackException class
http://bugs.python.org/issue23587  opened by haypo

#23588: Errno conflicts in ssl.SSLError
http://bugs.python.org/issue23588  opened by Ben.Darnell

#23589: Redundant sentence in FAQ
http://bugs.pyth

[Python-Dev] Summary of Python tracker Issues

2015-03-13 Thread Python tracker

ACTIVITY SUMMARY (2015-03-06 - 2015-03-13)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4817 (+13)
  closed 30604 (+49)
  total  35421 (+62)

Open issues with patches: 2266 


Issues opened (49)
==

#11726: clarify that linecache only works on files that can be decoded
http://bugs.python.org/issue11726  reopened by r.david.murray

#23566: RFE: faulthandler.register() should support file descriptors
http://bugs.python.org/issue23566  reopened by haypo

#23599: single and double quotes stripped upon paste with MacPorts lib
http://bugs.python.org/issue23599  opened by Jeff Doak

#23600: tizinfo.fromutc changed for tzinfo wih StdOffset=0, DstOffset=
http://bugs.python.org/issue23600  opened by peterjclaw

#23601: use small object allocator for dict key storage
http://bugs.python.org/issue23601  opened by jtaylor

#23602: Implement __format__ for Fraction
http://bugs.python.org/issue23602  opened by tuomas.suutari

#23603: Embedding Python3.4 - PyUnicode_Check fails (MinGW-W64)
http://bugs.python.org/issue23603  opened by Ashish Sadanandan

#23605: Use the new os.scandir() function in os.walk()
http://bugs.python.org/issue23605  opened by haypo

#23606: ctypes.util.find_library("c") no longer makes sense
http://bugs.python.org/issue23606  opened by steve.dower

#23607: Inconsistency in datetime.utcfromtimestamp(Decimal)
http://bugs.python.org/issue23607  opened by serhiy.storchaka

#23609: Export PyModuleObject in moduleobject.h
http://bugs.python.org/issue23609  opened by h.venev

#23611: Pickle nested names with protocols < 4
http://bugs.python.org/issue23611  opened by serhiy.storchaka

#23612: 3.5.0a2 Windows installer does not remove 3.5.0a1
http://bugs.python.org/issue23612  opened by steve.dower

#23614: Opaque error message on UTF-8 decoding to surrogates
http://bugs.python.org/issue23614  opened by Rosuav

#23616: Idle: conflict between loop execution and undo shortcut.
http://bugs.python.org/issue23616  opened by Davide Okami

#23618: PEP 475: handle EINTR in the socket module
http://bugs.python.org/issue23618  opened by haypo

#23619: Python 3.5.0a2 installer fails on Windows
http://bugs.python.org/issue23619  opened by pmoore

#23621: Uninstalling Python 3.5 removes a "py.exe" that was installed 
http://bugs.python.org/issue23621  opened by pmoore

#23622: Deprecate unrecognized backslash+letter escapes
http://bugs.python.org/issue23622  opened by serhiy.storchaka

#23623: Python 3.5 docs need to clarify how to set PATH, etc
http://bugs.python.org/issue23623  opened by pmoore

#23624: str.center inconsistent with format "^"
http://bugs.python.org/issue23624  opened by Vedran.Čačić

#23626: Windows per-user install of 3.5a2 doesn't associate .py files 
http://bugs.python.org/issue23626  opened by pmoore

#23628: See if os.scandir() could help speed up importlib
http://bugs.python.org/issue23628  opened by brett.cannon

#23630: support multiple hosts in create_server/start_server
http://bugs.python.org/issue23630  opened by sebastien.bourdeauducq

#23631: 3.5 (a2) traceback regression snarls Idle
http://bugs.python.org/issue23631  opened by terry.reedy

#23632: memoryview doesn't allow tuple-indexing
http://bugs.python.org/issue23632  opened by pitrou

#23633: Improve py launcher help, index, and doc
http://bugs.python.org/issue23633  opened by terry.reedy

#23634: os.fdopen reopening a read-only fd on windows
http://bugs.python.org/issue23634  opened by mattip

#23636: Add scgi to urllib.parse.uses_netloc
http://bugs.python.org/issue23636  opened by anthonyryan1

#23637: Warnings error with non-ascii chars.
http://bugs.python.org/issue23637  opened by Lukáš.Němec

#23639: Not documented special names
http://bugs.python.org/issue23639  opened by serhiy.storchaka

#23640: Enum.from_bytes() is broken
http://bugs.python.org/issue23640  opened by serhiy.storchaka

#23641: Got rid of bad dunder names
http://bugs.python.org/issue23641  opened by serhiy.storchaka

#23642: Interaction of ModuleSpec and C Extension Modules
http://bugs.python.org/issue23642  opened by dabeaz

#23644: g++ module compile fails with ‘_Atomic’ does not name a ty
http://bugs.python.org/issue23644  opened by Joshua.J.Cogliati

#23645: Incorrect doc for __getslice__
http://bugs.python.org/issue23645  opened by gdementen

#23646: PEP 475: handle EINTR in the time module, retry sleep()
http://bugs.python.org/issue23646  opened by haypo

#23647: imaplib.py MAXLINE value is too low for gmail
http://bugs.python.org/issue23647  opened by arnt

#23648: PEP 475 meta issue
http://bugs.python.org/issue23648  opened by haypo

#23649: tarfile not re-entrant for multi-threading
http://bugs.python.org/issue23649  opened by sgnn7

#23652: ifdef uses of EPOLLxxx macros so we can compile on systems tha
http://bugs.python.org/issue23652  ope

[Python-Dev] Summary of Python tracker Issues

2015-03-20 Thread Python tracker

ACTIVITY SUMMARY (2015-03-13 - 2015-03-20)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4798 (-19)
  closed 30685 (+81)
  total  35483 (+62)

Open issues with patches: 2258 


Issues opened (49)
==

#2211: Cookie.Morsel interface needs update
http://bugs.python.org/issue2211  reopened by haypo

#22181: os.urandom() should use Linux 3.17 getrandom() syscall
http://bugs.python.org/issue22181  reopened by haypo

#22359: Remove incorrect uses of recursive make
http://bugs.python.org/issue22359  reopened by doko

#22516: Windows Installer won't - even when using "just for me"option
http://bugs.python.org/issue22516  reopened by NaCl

#23187: Segmentation fault, possibly asyncio related
http://bugs.python.org/issue23187  reopened by haypo

#23637: Warnings error with non-ascii chars.
http://bugs.python.org/issue23637  reopened by serhiy.storchaka

#23661: Setting a exception side_effect on a mock from create_autospec
http://bugs.python.org/issue23661  opened by Ignacio Rossi

#23662: Cookie.domain is undocumented
http://bugs.python.org/issue23662  opened by Malcolm Smith

#23663: Crash on failure in ctypes on Cygwin
http://bugs.python.org/issue23663  opened by elieux

#23664: Modernize HTML output of difflib.HtmlDiff.make_file()
http://bugs.python.org/issue23664  opened by berker.peksag

#23665: Provide IDLE menu option to set command-line arguments
http://bugs.python.org/issue23665  opened by rhettinger

#23666: Add shell session logging option to IDLE
http://bugs.python.org/issue23666  opened by rhettinger

#23667: IDLE to provide option for making trailing whitespace visible
http://bugs.python.org/issue23667  opened by rhettinger

#23668: Support os.[f]truncate on Windows
http://bugs.python.org/issue23668  opened by steve.dower

#23669: test_socket.NonBlockingTCPTests failing due to race condition
http://bugs.python.org/issue23669  opened by steve.dower

#23670: Modifications to support iOS as a cross-compilation target
http://bugs.python.org/issue23670  opened by freakboy3742

#23671: string.Template doesn't work with the self keyword argument
http://bugs.python.org/issue23671  opened by serhiy.storchaka

#23672: IDLE can crash if file name contains non-BMP Unicode character
http://bugs.python.org/issue23672  opened by kamisky

#23674: super() documentation isn't very clear
http://bugs.python.org/issue23674  opened by Tapani Kiiskinen

#23675: glossary entry for 'method resolution order' links to somethin
http://bugs.python.org/issue23675  opened by r.david.murray

#23676: Add support of UnicodeTranslateError in standard error handler
http://bugs.python.org/issue23676  opened by serhiy.storchaka

#23677: Mention dict and set comps in library reference
http://bugs.python.org/issue23677  opened by FrankMillman

#23680: Sporadic freeze in test_interrupted_write_retry_text
http://bugs.python.org/issue23680  opened by pitrou

#23684: urlparse() documentation does not account for default scheme
http://bugs.python.org/issue23684  opened by vadmium

#23686: Update Windows and OS X installer OpenSSL to 1.0.2a
http://bugs.python.org/issue23686  opened by alex

#23688: unnecessary copying of memoryview in gzip.GzipFile.write?
http://bugs.python.org/issue23688  opened by wolma

#23689: Memory leak in Modules/sre_lib.h
http://bugs.python.org/issue23689  opened by abacabadabacaba

#23690: re functions never release GIL
http://bugs.python.org/issue23690  opened by abacabadabacaba

#23691: re.finditer iterator is not reentrant, but doesn't protect aga
http://bugs.python.org/issue23691  opened by abacabadabacaba

#23692: Undocumented feature prevents re module from finding certain m
http://bugs.python.org/issue23692  opened by abacabadabacaba

#23693: timeit accuracy could be better
http://bugs.python.org/issue23693  opened by rbcollins

#23695: idiom for clustering a data series into n-length groups
http://bugs.python.org/issue23695  opened by Paddy McCarthy

#23697: Module level map & submit for concurrent.futures
http://bugs.python.org/issue23697  opened by ncoghlan

#23698: Fix inconsistencies in behaviour and document it correctly for
http://bugs.python.org/issue23698  opened by pythonhacker

#23699: Add a macro to ease writing rich comparisons
http://bugs.python.org/issue23699  opened by encukou

#23701: Drop extraneous comment from winreg.QueryValue's docstring
http://bugs.python.org/issue23701  opened by Claudiu.Popa

#23702: docs.python.org/3/howto/descriptor.html still refers to "unbou
http://bugs.python.org/issue23702  opened by pfalcon

#23703: urljoin() with no directory segments duplicates filename
http://bugs.python.org/issue23703  opened by vadmium

#23704: Make deques a full MutableSequence by adding index(), insert()
http://bugs.python.org/issue23704  opened by rhettinger

#23705: Speed-up deque.

[Python-Dev] Summary of Python tracker Issues

2015-03-27 Thread Python tracker

ACTIVITY SUMMARY (2015-03-20 - 2015-03-27)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4820 (+22)
  closed 30732 (+47)
  total  35552 (+69)

Open issues with patches: 2248 


Issues opened (55)
==

#23571: Raise SystemError if a function returns a result with an excep
http://bugs.python.org/issue23571  reopened by berker.peksag

#23573: Avoid redundant allocations in str.find and like
http://bugs.python.org/issue23573  reopened by serhiy.storchaka

#23720: __del__() order is broken since 3.4.0
http://bugs.python.org/issue23720  reopened by Alexey Kazantsev

#23723: Provide a way to disable bytecode staleness checks
http://bugs.python.org/issue23723  opened by brett.cannon

#23725: update tempfile docs to say that TemporaryFile is secure
http://bugs.python.org/issue23725  opened by zbysz

#23726: Don't enable GC for classes that don't add new fields
http://bugs.python.org/issue23726  opened by eltoder

#23727: rfc2231 line continuations result in an additional newline
http://bugs.python.org/issue23727  opened by Brian Peterson

#23728: binascii.crc_hqx() can return negative integer
http://bugs.python.org/issue23728  opened by serhiy.storchaka

#23730: Document return value for ZipFile.extract()
http://bugs.python.org/issue23730  opened by mjpieters

#23731: Implement PEP 488
http://bugs.python.org/issue23731  opened by brett.cannon

#23732: Update porting HOWTO about new -b semantics
http://bugs.python.org/issue23732  opened by brett.cannon

#23733: Update porting HOWTO for bytes interpolation
http://bugs.python.org/issue23733  opened by brett.cannon

#23734: zipimport should not check pyc timestamps against zipped py fi
http://bugs.python.org/issue23734  opened by gregory.p.smith

#23735: Readline not adjusting width after resize with 6.3
http://bugs.python.org/issue23735  opened by Carlos Pita

#23738: Clarify documentation of positional-only default values
http://bugs.python.org/issue23738  opened by vadmium

#23739: locale.setlocale checks locale name for string incorrectly
http://bugs.python.org/issue23739  opened by Saulius Žemaitaitis

#23740: http.client request and send method have some datatype issues
http://bugs.python.org/issue23740  opened by r.david.murray

#23743: Python crashes upon exit if importing g++ compiled mod after i
http://bugs.python.org/issue23743  opened by matham

#23745: Exception when parsing an email using email.parser.BytesParser
http://bugs.python.org/issue23745  opened by Elmer

#23746: sysconfg.is_python_build() is buggy
http://bugs.python.org/issue23746  opened by pythonhacker

#23747: platform module exposes win32_ver function on posix systems
http://bugs.python.org/issue23747  opened by pythonhacker

#23749: asyncio missing wrap_socket
http://bugs.python.org/issue23749  opened by gc

#23750: Clarify difference between os.system/subprocess.call in sectio
http://bugs.python.org/issue23750  opened by Andreas Sommer

#23752: Cleanup io.FileIO
http://bugs.python.org/issue23752  opened by haypo

#23754: Add a new os.read_into() function to avoid memory copies
http://bugs.python.org/issue23754  opened by haypo

#23755: tempfile.NamedTemporaryFile should be able to toggle "delete"
http://bugs.python.org/issue23755  opened by Stephen Gallagher

#23756: Tighten definition of bytes-like objects
http://bugs.python.org/issue23756  opened by vadmium

#23758: Improve documenation about num_params in sqlite3 create_functi
http://bugs.python.org/issue23758  opened by ced

#23759: urllib.parse: make coap:// known
http://bugs.python.org/issue23759  opened by chrysn

#23760: Tkinter in Python 3.4 on Windows don't post internal clipboard
http://bugs.python.org/issue23760  opened by Victor Korolkevich

#23761: test_socket fails on Mac OSX 10.9.5
http://bugs.python.org/issue23761  opened by willingc

#23762: python.org page on new-style classes should be updated
http://bugs.python.org/issue23762  opened by joelthelion

#23763: Chain exceptions in C
http://bugs.python.org/issue23763  opened by haypo

#23764: Reference inspect.Signature.bind from functools.wraps document
http://bugs.python.org/issue23764  opened by productivememberofsociety666

#23765: Remove IsBadStringPtr calls in ctypes
http://bugs.python.org/issue23765  opened by steve.dower

#23767: Library and include paths not added when cross compiling on lo
http://bugs.python.org/issue23767  opened by kernevil

#23768: assert on getting the representation of a thread in atexit fun
http://bugs.python.org/issue23768  opened by xdegaye

#23769: valgrind reports leaks for test_zipimport
http://bugs.python.org/issue23769  opened by rkuska

#23770: Rework of exceptions are handled in the parser module (in vali
http://bugs.python.org/issue23770  opened by haypo

#23771: Timeouts on "x86 Ubuntu Shared 3.x" buildbot
http://bugs.python.org/

[Python-Dev] Summary of Python tracker Issues

2015-04-03 Thread Python tracker

ACTIVITY SUMMARY (2015-03-27 - 2015-04-03)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4838 (+19)
  closed 30782 (+50)
  total  35620 (+69)

Open issues with patches: 2252 


Issues opened (52)
==

#23466: PEP 461: Inconsistency between str and bytes formatting of int
http://bugs.python.org/issue23466  reopened by ethan.furman

#23752: Cleanup io.FileIO
http://bugs.python.org/issue23752  reopened by haypo

#23791: Identify Moved Lines with difflib
http://bugs.python.org/issue23791  opened by bkiefer

#23794: http package should support HTTP/2
http://bugs.python.org/issue23794  opened by alex

#23795: argparse -- incorrect usage for mutually exclusive
http://bugs.python.org/issue23795  opened by jotomicron

#23796: BufferedReader.peek() crashes if closed
http://bugs.python.org/issue23796  opened by vadmium

#23797: Mac OS X locale setup in thread happens sometime after run() i
http://bugs.python.org/issue23797  opened by barry-scott

#23799: Join started threads in tests
http://bugs.python.org/issue23799  opened by serhiy.storchaka

#23800: Support POSIX uselocale interface for thread-specific locale s
http://bugs.python.org/issue23800  opened by ned.deily

#23802: patch: __deepcopy__ memo dict argument usage
http://bugs.python.org/issue23802  opened by danielsh

#23804: SSLSocket.recv(0) receives up to 1024 bytes
http://bugs.python.org/issue23804  opened by vadmium

#23805: _hashlib compile error?
http://bugs.python.org/issue23805  opened by SinusAlpha

#23806: documentation for no_proxy is missing from the python3 urllib 
http://bugs.python.org/issue23806  opened by r.david.murray

#23807: Improved test coverage for calendar.py command line
http://bugs.python.org/issue23807  opened by Thana Annis

#23808: Symlink to directory on Windows 8
http://bugs.python.org/issue23808  opened by serhiy.storchaka

#23809: RFE: emit a warning when a module in a traceback shadows a std
http://bugs.python.org/issue23809  opened by ncoghlan

#23810: Suboptimal stacklevel of deprecation warnings for formatter an
http://bugs.python.org/issue23810  opened by Arfrever

#23811: Python py_compile error message inconsistent and missing newli
http://bugs.python.org/issue23811  opened by akshetp

#23812: asyncio.Queue.put_nowait(), followed get() task cancellation l
http://bugs.python.org/issue23812  opened by gustavo

#23813: RSS and Atom feeds of buildbot results are broken
http://bugs.python.org/issue23813  opened by serhiy.storchaka

#23814: argparse: Parser level defaults do not always override argumen
http://bugs.python.org/issue23814  opened by kop

#23815: Segmentation fault when create _tkinter objects
http://bugs.python.org/issue23815  opened by serhiy.storchaka

#23816: struct.unpack returns null pascal strings - [first] bug report
http://bugs.python.org/issue23816  opened by jonheiner

#23817: Consider FreeBSD like any other OS in SOVERSION
http://bugs.python.org/issue23817  opened by bapt

#23819: test_asyncio fails when run under -O
http://bugs.python.org/issue23819  opened by brett.cannon

#23820: test_importlib fails under -O
http://bugs.python.org/issue23820  opened by brett.cannon

#23822: test_py_compile fails under -O
http://bugs.python.org/issue23822  opened by brett.cannon

#23825: test_idle fails under -OO
http://bugs.python.org/issue23825  opened by brett.cannon

#23826: test_enum fails under -OO
http://bugs.python.org/issue23826  opened by brett.cannon

#23828: test_socket testCmsgTruncLen0 gets "received malformed or impr
http://bugs.python.org/issue23828  opened by brett.cannon

#23830: Add AF_IUCV support to sockets
http://bugs.python.org/issue23830  opened by neale

#23831: tkinter canvas lacks of moveto method.
http://bugs.python.org/issue23831  opened by mps

#23832: pdb's `longlist` shows only decorator if that one contains a l
http://bugs.python.org/issue23832  opened by Gerrit.Holl

#23833: email.header.Header folding modifies headers that include semi
http://bugs.python.org/issue23833  opened by dseg

#23835: configparser does not convert defaults to strings
http://bugs.python.org/issue23835  opened by aragilar

#23837: read pipe transport tries to resume reading after loop is gone
http://bugs.python.org/issue23837  opened by mwf

#23839: Clear caches after every test
http://bugs.python.org/issue23839  opened by serhiy.storchaka

#23840: tokenize.open() leaks an open binary file on TextIOWrapper err
http://bugs.python.org/issue23840  opened by haypo

#23841: py34 OrderedDict is using weakref for root reference
http://bugs.python.org/issue23841  opened by sorin

#23842: SystemError: ../Objects/longobject.c:998: bad argument to inte
http://bugs.python.org/issue23842  opened by doko

#23843: ssl.wrap_socket doesn't handle virtual TLS hosts
http://bugs.python.org/issue23843  opened by nagle

#23845: test_ssl: fails on recen

[Python-Dev] Summary of Python tracker Issues

2015-04-17 Thread Python tracker

ACTIVITY SUMMARY (2015-04-10 - 2015-04-17)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4792 (-31)
  closed 30957 (+113)
  total  35749 (+82)

Open issues with patches: 2240 


Issues opened (60)
==

#22980: C extension naming doesn't take bitness into account
http://bugs.python.org/issue22980  reopened by lemburg

#23908: Check path arguments of os functions for null character
http://bugs.python.org/issue23908  opened by serhiy.storchaka

#23910: C implementation  of namedtuple (WIP)
http://bugs.python.org/issue23910  opened by ll

#23911: Move path-based bootstrap code to a separate frozen file.
http://bugs.python.org/issue23911  opened by eric.snow

#23914: pickle fails with SystemError
http://bugs.python.org/issue23914  opened by alex

#23915: traceback set with BaseException.with_traceback() overwritten 
http://bugs.python.org/issue23915  opened by abathur

#23917: please fall back to sequential compilation when concurrent doe
http://bugs.python.org/issue23917  opened by doko

#23919: [Windows] test_os fails several C-level assertions
http://bugs.python.org/issue23919  opened by zach.ware

#23920: Should Clinic have "nullable" or types=NoneType?
http://bugs.python.org/issue23920  opened by larry

#23921: Standardize documentation whitespace, formatting
http://bugs.python.org/issue23921  opened by jedwards

#23922: turtle.py and turtledemo use the default tkinter icon
http://bugs.python.org/issue23922  opened by Al.Sweigart

#23926: skipitem() in getargs.c still supports 'w' and 'w#', and shoul
http://bugs.python.org/issue23926  opened by larry

#23927: getargs.c skipitem() doesn't skip 'w*'
http://bugs.python.org/issue23927  opened by larry

#23930: SimpleCookie doesn't  parse comma-only separated cookies corre
http://bugs.python.org/issue23930  opened by riklaunim

#23931: Update DevGuide link in Quickstart Step 1
http://bugs.python.org/issue23931  opened by willingc

#23933: Struct module should acept arrays
http://bugs.python.org/issue23933  opened by gamaanderson

#23934: inspect.signature reporting "()" for all builtin & extension t
http://bugs.python.org/issue23934  opened by ncoghlan

#23936: Wrong references to deprecated find_module instead of find_spe
http://bugs.python.org/issue23936  opened by raulcd

#23937: IDLE start maximized
http://bugs.python.org/issue23937  opened by zektron42

#23942: Explain naming of the patch files in the bug tracker
http://bugs.python.org/issue23942  opened by maciej.szulik

#23946: Invalid timestamps reported by os.stat() when Windows FILETIME
http://bugs.python.org/issue23946  opened by CristiFati

#23947: Add mechanism to import stdlib package bypassing user packages
http://bugs.python.org/issue23947  opened by steve.dower

#23948: Deprecate os.kill() on Windows
http://bugs.python.org/issue23948  opened by jpe

#23949: Number of elements display in error message is wrong while unp
http://bugs.python.org/issue23949  opened by ulaganathanm...@gmail.com

#23950: Odd behavior with "file" and "filename" attributes in cgi.Fiel
http://bugs.python.org/issue23950  opened by deadpixi

#23951: Update devguide style to use a similar theme as Docs
http://bugs.python.org/issue23951  opened by willingc

#23952: Document the 'maxlen' member of the cgi module
http://bugs.python.org/issue23952  opened by deadpixi

#23953: test_mmap uses cruel and unusual amounts of disk space
http://bugs.python.org/issue23953  opened by larry

#23954: Pressing enter/return or clicking IDLE's autocomplete does not
http://bugs.python.org/issue23954  opened by Al.Sweigart

#23955: Add python.ini file for embedded/applocal installs
http://bugs.python.org/issue23955  opened by steve.dower

#23958: compile warnings in libffi
http://bugs.python.org/issue23958  opened by steveha

#23959: Update imaplib to support RFC3501
http://bugs.python.org/issue23959  opened by maciej.szulik

#23960: PyErr_SetImportError doesn't clean up on some errors
http://bugs.python.org/issue23960  opened by blackfawn

#23961: IDLE autocomplete window does not automatically close when sel
http://bugs.python.org/issue23961  opened by Al.Sweigart

#23962: Incorrect TimeoutError referenced in concurrent.futures docume
http://bugs.python.org/issue23962  opened by ryder.lewis

#23963: Windows build error using original openssl source
http://bugs.python.org/issue23963  opened by anselm.kruis

#23964: Update README documentation for IDLE tests.
http://bugs.python.org/issue23964  opened by Al.Sweigart

#23965: test_ssl failure on Fedora 22
http://bugs.python.org/issue23965  opened by kushal.das

#23966: More clearly expose/explain native and cross-build target info
http://bugs.python.org/issue23966  opened by ncoghlan

#23967: Make inspect.signature expres

[Python-Dev] Summary of Python tracker Issues

2015-04-24 Thread Python tracker

ACTIVITY SUMMARY (2015-04-17 - 2015-04-24)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4814 (+22)
  closed 31000 (+43)
  total  35814 (+65)

Open issues with patches: 2249 


Issues opened (46)
==

#15582: Enhance inspect.getdoc to follow inheritance chains
http://bugs.python.org/issue15582  reopened by serhiy.storchaka

#23991: ZipFile sanity checks
http://bugs.python.org/issue23991  opened by Antony.Lee

#23992: multiprocessing: MapResult shouldn't fail fast upon exception
http://bugs.python.org/issue23992  opened by neologix

#23993: Use surrogateescape error handler by default in open() if the 
http://bugs.python.org/issue23993  opened by haypo

#23994: argparse fails to detect program name when there is a slash at
http://bugs.python.org/issue23994  opened by boramalper

#23995: msvcrt could not be imported
http://bugs.python.org/issue23995  opened by petrikas

#23996: _PyGen_FetchStopIterationValue() crashes on unnormalised excep
http://bugs.python.org/issue23996  opened by scoder

#23997: unicodedata_UCD_lookup() has theoretical buffer overflow
http://bugs.python.org/issue23997  opened by christian.heimes

#23999: Undefined behavior in dtoa.c (rshift 32 of 32bit data type)
http://bugs.python.org/issue23999  opened by christian.heimes

#24000: More fixes for the Clinic mapping of converters to format unit
http://bugs.python.org/issue24000  opened by larry

#24001: Clinic: use raw types in types= set
http://bugs.python.org/issue24001  opened by larry

#24004: avoid explicit generator type check in asyncio
http://bugs.python.org/issue24004  opened by scoder

#24009: Get rid of rare format units in PyArg_Parse*
http://bugs.python.org/issue24009  opened by serhiy.storchaka

#24010: Add error checks to PyInit__locale()
http://bugs.python.org/issue24010  opened by christian.heimes

#24011: Add error checks to PyInit_signal()
http://bugs.python.org/issue24011  opened by christian.heimes

#24012: Add error checks to PyInit_pyexpat()
http://bugs.python.org/issue24012  opened by christian.heimes

#24013: Improve os.scandir() and DirEntry documentation
http://bugs.python.org/issue24013  opened by benhoyt

#24015: timeit should start with 1 loop, not 10
http://bugs.python.org/issue24015  opened by nomeata

#24016: Add a Sprints organization/preparation section to devguide
http://bugs.python.org/issue24016  opened by willingc

#24017: Implemenation of the PEP 492 - Coroutines with async and await
http://bugs.python.org/issue24017  opened by haypo

#24018: add a Generator ABC
http://bugs.python.org/issue24018  opened by scoder

#24021: document urllib.urlretrieve
http://bugs.python.org/issue24021  opened by krichter

#24022: Python heap corruption issue
http://bugs.python.org/issue24022  opened by benjamin.peterson

#24024: str.__doc__ needs an update
http://bugs.python.org/issue24024  opened by lemburg

#24026: Python hangs forever in wait() of threading.py
http://bugs.python.org/issue24026  opened by appidman

#24027: IMAP library lacks documentation about expected parameter type
http://bugs.python.org/issue24027  opened by pmoleri

#24028: Idle: add doc subsection on calltips
http://bugs.python.org/issue24028  opened by terry.reedy

#24030: IMAP library encoding enhancement
http://bugs.python.org/issue24030  opened by pmoleri

#24032: urlparse.urljoin does not add query part
http://bugs.python.org/issue24032  opened by albertsmuktupavels

#24033: Update _test_multiprocessing.py to use script helpers
http://bugs.python.org/issue24033  opened by bobcatfish

#24034: Make fails Objects/typeslots.inc
http://bugs.python.org/issue24034  opened by masamoto

#24035: When Caps Locked,  + alpha-character still displayed as
http://bugs.python.org/issue24035  opened by principia1687

#24036: GB2312 codec is using a wrong covert table
http://bugs.python.org/issue24036  opened by Ma Lin

#24037: Argument Clinic: add the boolint converter
http://bugs.python.org/issue24037  opened by serhiy.storchaka

#24039: Minimize option doesn't work on Search Dialog box for idle
http://bugs.python.org/issue24039  opened by prince09cs

#24040: plistlib assumes dict_type is descendent of dict
http://bugs.python.org/issue24040  opened by Behdad.Esfahbod

#24041: Implement Mac East Asian encodings properly
http://bugs.python.org/issue24041  opened by Behdad.Esfahbod

#24042: Convert os._getfullpathname() and os._isdir() to Argument Clin
http://bugs.python.org/issue24042  opened by serhiy.storchaka

#24043: Implement mac_romanian and mac_croatian encodings
http://bugs.python.org/issue24043  opened by Behdad.Esfahbod

#24045: Behavior of large returncodes  (sys.exit(nn))
http://bugs.python.org/issue24045  opened by ethan.furman

#24046: Incomplete build on AIX
http://bugs.python.org/issue24046  opened by aixto...@gmail.com

#24048: remove_module() needs to save/restore exception 

[Python-Dev] Summary of Python tracker Issues

2015-05-01 Thread Python tracker

ACTIVITY SUMMARY (2015-04-24 - 2015-05-01)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4841 (+27)
  closed 31025 (+25)
  total  35866 (+52)

Open issues with patches: 2254 


Issues opened (39)
==

#24054: Invalid syntax in inspect_fodder2.py (on Python 2.x)
http://bugs.python.org/issue24054  opened by ddriddle

#24055: unittest package-level set up & tear down module
http://bugs.python.org/issue24055  opened by demian.brecht

#24056: Expose closure & generator status in function repr()
http://bugs.python.org/issue24056  opened by ncoghlan

#24060: Clearify necessities for logging with timestamps
http://bugs.python.org/issue24060  opened by krichter

#24063: Support Mageia and Arch Linux in the platform module
http://bugs.python.org/issue24063  opened by akien

#24064: Make the property doctstring writeable
http://bugs.python.org/issue24064  opened by rhettinger

#24065: Outdated *_RESTRICTED flags in structmember.h
http://bugs.python.org/issue24065  opened by berker.peksag

#24066: send_message should take all the addresses in the To: header i
http://bugs.python.org/issue24066  opened by kirelagin

#24067: Weakproxy is an instance of collections.Iterator
http://bugs.python.org/issue24067  opened by ereuveni

#24068: statistics module - incorrect results with boolean input
http://bugs.python.org/issue24068  opened by wolma

#24069: Option to delete obsolete bytecode files
http://bugs.python.org/issue24069  opened by Sworddragon

#24076: sum() several times slower on Python 3
http://bugs.python.org/issue24076  opened by lukasz.langa

#24078: inspect.getsourcelines ignores context and returns wrong line 
http://bugs.python.org/issue24078  opened by siyuan

#24079: xml.etree.ElementTree.Element.text does not conform to the doc
http://bugs.python.org/issue24079  opened by jlaurens

#24080: asyncio.Event.wait() Task was destroyed but it is pending
http://bugs.python.org/issue24080  opened by matt

#24081: Obsolete caveat in reload() docs
http://bugs.python.org/issue24081  opened by encukou

#24082: Obsolete note in argument parsing (c-api/arg.rst)
http://bugs.python.org/issue24082  opened by encukou

#24084: pstats: sub-millisecond display
http://bugs.python.org/issue24084  opened by Romuald

#24085: large memory overhead when pyc is recompiled
http://bugs.python.org/issue24085  opened by bukzor

#24086: Configparser interpolation is unexpected
http://bugs.python.org/issue24086  opened by tbekolay

#24087: Documentation doesn't explain the term "coroutine" (PEP 342)
http://bugs.python.org/issue24087  opened by paul.moore

#24088: yield expression confusion
http://bugs.python.org/issue24088  opened by Jim.Jewett

#24089: argparse crashes with AssertionError
http://bugs.python.org/issue24089  opened by spaceone

#24090: Add a "copy variable to clipboard" option to the edit menu
http://bugs.python.org/issue24090  opened by irdb

#24091: Use after free in Element.extend (1)
http://bugs.python.org/issue24091  opened by pkt

#24092: Use after free in Element.extend (2)
http://bugs.python.org/issue24092  opened by pkt

#24093: Use after free in Element.remove
http://bugs.python.org/issue24093  opened by pkt

#24094: Use after free during json encoding (PyType_IsSubtype)
http://bugs.python.org/issue24094  opened by pkt

#24095: Use after free during json encoding a dict (2)
http://bugs.python.org/issue24095  opened by pkt

#24096: Use after free in get_filter
http://bugs.python.org/issue24096  opened by pkt

#24097: Use after free in PyObject_GetState
http://bugs.python.org/issue24097  opened by pkt

#24098: Multiple use after frees in obj2ast_* methods
http://bugs.python.org/issue24098  opened by pkt

#24099: Use after free in siftdown (1)
http://bugs.python.org/issue24099  opened by pkt

#24100: Use after free in siftdown (2)
http://bugs.python.org/issue24100  opened by pkt

#24101: Use after free in siftup
http://bugs.python.org/issue24101  opened by pkt

#24102: Multiple type confusions in unicode error handlers
http://bugs.python.org/issue24102  opened by pkt

#24103: Use after free in xmlparser_setevents (1)
http://bugs.python.org/issue24103  opened by pkt

#24104: Use after free in xmlparser_setevents (2)
http://bugs.python.org/issue24104  opened by pkt

#24105: Use after free during json encoding a dict (3)
http://bugs.python.org/issue24105  opened by pkt



Most recent 15 issues with no replies (15)
==

#24105: Use after free during json encoding a dict (3)
http://bugs.python.org/issue24105

#24104: Use after free in xmlparser_setevents (2)
http://bugs.python.org/issue24104

#24103: Use after free in xmlparser_setevents (1)
http://bugs.python.org/issue24103

#24102: Multiple type confusions in unicode error handlers
http://bugs.python.org/issue24102

#24101: Use after free

[Python-Dev] Summary of Python tracker Issues

2015-05-08 Thread Python tracker

ACTIVITY SUMMARY (2015-05-01 - 2015-05-08)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4838 ( -3)
  closed 31069 (+44)
  total  35907 (+41)

Open issues with patches: 2252 


Issues opened (25)
==

#24107: Add support for retrieving the certificate chain
http://bugs.python.org/issue24107  opened by Lukasa

#24109: Documentation for difflib uses optparse
http://bugs.python.org/issue24109  opened by idahogray

#24110: zipfile.ZipFile.write() does not accept bytes arcname
http://bugs.python.org/issue24110  opened by july

#24111: Valgrind suppression file should be updated
http://bugs.python.org/issue24111  opened by Antony.Lee

#24114: ctypes.utils uninitialized variable 'path'
http://bugs.python.org/issue24114  opened by kees

#24115: PyObject_IsInstance() and PyObject_IsSubclass() can fail
http://bugs.python.org/issue24115  opened by serhiy.storchaka

#24116: --with-pydebug has no effect when the final python binary is c
http://bugs.python.org/issue24116  opened by aleb

#24117: Wrong range checking in GB18030 decoder.
http://bugs.python.org/issue24117  opened by Ma Lin

#24119: Carry comments with the AST
http://bugs.python.org/issue24119  opened by brett.cannon

#24120: pathlib.(r)glob stops on PermissionDenied exception
http://bugs.python.org/issue24120  opened by Gregorio

#24124: Two versions of instructions for installing Python modules
http://bugs.python.org/issue24124  opened by skip.montanaro

#24126: newlines attribute does not get set after calling readline()
http://bugs.python.org/issue24126  opened by arekfu

#24127: Fatal error in launcher: Job information querying failed
http://bugs.python.org/issue24127  opened by gavstar

#24129: Incorrect (misleading) statement in the execution model docume
http://bugs.python.org/issue24129  opened by levkivskyi

#24130: Remove -fno-common compile option from OS X framework builds?
http://bugs.python.org/issue24130  opened by ned.deily

#24131: [configparser] Add section/option delimiter to ExtendedInterpo
http://bugs.python.org/issue24131  opened by giflw

#24132: Direct sub-classing of pathlib.Path
http://bugs.python.org/issue24132  opened by projetmbc

#24136: document PEP 448
http://bugs.python.org/issue24136  opened by benjamin.peterson

#24137: Force not using _default_root in IDLE
http://bugs.python.org/issue24137  opened by serhiy.storchaka

#24138: Speed up range() by caching and modifying long objects
http://bugs.python.org/issue24138  opened by larry

#24139: Use sqlite3 extended error codes
http://bugs.python.org/issue24139  opened by Dima.Tisnek

#24140: In pdb using "until X" doesn't seem to have effect in commands
http://bugs.python.org/issue24140  opened by vyktor

#24142: ConfigParser._read doesn't join multi-line values collected wh
http://bugs.python.org/issue24142  opened by fhoech

#24143: Makefile in tarball don't provide make uninstall target
http://bugs.python.org/issue24143  opened by krichter

#24145: Support |= for parameters in converters
http://bugs.python.org/issue24145  opened by larry



Most recent 15 issues with no replies (15)
==

#24143: Makefile in tarball don't provide make uninstall target
http://bugs.python.org/issue24143

#24140: In pdb using "until X" doesn't seem to have effect in commands
http://bugs.python.org/issue24140

#24137: Force not using _default_root in IDLE
http://bugs.python.org/issue24137

#24136: document PEP 448
http://bugs.python.org/issue24136

#24131: [configparser] Add section/option delimiter to ExtendedInterpo
http://bugs.python.org/issue24131

#24129: Incorrect (misleading) statement in the execution model docume
http://bugs.python.org/issue24129

#24115: PyObject_IsInstance() and PyObject_IsSubclass() can fail
http://bugs.python.org/issue24115

#24114: ctypes.utils uninitialized variable 'path'
http://bugs.python.org/issue24114

#24111: Valgrind suppression file should be updated
http://bugs.python.org/issue24111

#24104: Use after free in xmlparser_setevents (2)
http://bugs.python.org/issue24104

#24103: Use after free in xmlparser_setevents (1)
http://bugs.python.org/issue24103

#24097: Use after free in PyObject_GetState
http://bugs.python.org/issue24097

#24087: Documentation doesn't explain the term "coroutine" (PEP 342)
http://bugs.python.org/issue24087

#24084: pstats: sub-millisecond display
http://bugs.python.org/issue24084

#24063: Support Mageia and Arch Linux in the platform module
http://bugs.python.org/issue24063



Most recent 15 issues waiting for review (15)
=

#24145: Support |= for parameters in converters
http://bugs.python.org/issue24145

#24142: ConfigParser._read doesn't join multi-line values collected wh
http://bugs.python.org/issue24142


[Python-Dev] Summary of Python tracker Issues

2015-05-15 Thread Python tracker

ACTIVITY SUMMARY (2015-05-08 - 2015-05-15)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4840 ( +2)
  closed 31123 (+54)
  total  35963 (+56)

Open issues with patches: 2237 


Issues opened (39)
==

#21162: code in multiprocessing.pool freeze if inside some code from s
http://bugs.python.org/issue21162  reopened by Ivan.K

#21593: Clarify re.search documentation first match
http://bugs.python.org/issue21593  reopened by Joshua.Landau

#23757: tuple function gives wrong answer when called on list subclass
http://bugs.python.org/issue23757  reopened by r.david.murray

#24134: assertRaises can behave differently
http://bugs.python.org/issue24134  reopened by serhiy.storchaka

#24147: doublequote are not well recognized with Dialect class
http://bugs.python.org/issue24147  opened by MiK

#24148: 'cum' not a valid sort key for pstats.Stats.sort_stats
http://bugs.python.org/issue24148  opened by ramiro

#24151: test_pydoc fails
http://bugs.python.org/issue24151  opened by hsiehr

#24152: test_mailcap fails if a mailcap file contains a non-decodable 
http://bugs.python.org/issue24152  opened by petrosr2

#24153: threading/multiprocessing tests fail on chromebook under crout
http://bugs.python.org/issue24153  opened by shiprex

#24154: pathlib.Path.rename moves file to Path.cwd() when argument is 
http://bugs.python.org/issue24154  opened by yurit

#24157: test_urandom_fd_reopened failure if OS X crash reporter defaul
http://bugs.python.org/issue24157  opened by skip.montanaro

#24159: Misleading TypeError when pickling bytes to a file opened as t
http://bugs.python.org/issue24159  opened by jason.coombs

#24160: Pdb sometimes crashes when trying to remove a breakpoint defin
http://bugs.python.org/issue24160  opened by ppperry

#24162: [2.7 regression] test_asynchat test failure on i586-linux-gnu
http://bugs.python.org/issue24162  opened by doko

#24163: shutil.copystat fails when attribute security.selinux is prese
http://bugs.python.org/issue24163  opened by sstirlin

#24164: Support pickling objects with __new__ with keyword arguments w
http://bugs.python.org/issue24164  opened by serhiy.storchaka

#24165: Free list for single-digits ints
http://bugs.python.org/issue24165  opened by serhiy.storchaka

#24166: ArgumentParser behavior does not match generated help
http://bugs.python.org/issue24166  opened by tellendil

#24168: Unittest discover fails with namespace package if the path con
http://bugs.python.org/issue24168  opened by toshishige hagihara

#24169: sockets convert out-of-range port numbers % 2**16
http://bugs.python.org/issue24169  opened by Kurt.Rose

#24172: Errors in resource.getpagesize module documentation
http://bugs.python.org/issue24172  opened by mahmoud

#24173: curses HOWTO/implementation disagreement
http://bugs.python.org/issue24173  opened by White_Rabbit

#24174: Python crash on exit
http://bugs.python.org/issue24174  opened by gnumdk

#24175: Test failure in test_utime on FreeBSD
http://bugs.python.org/issue24175  opened by koobs

#24176: Incorrect parsing of unpacked expressions in call
http://bugs.python.org/issue24176  opened by tcaswell

#24177: Add https?_proxy support to http.client
http://bugs.python.org/issue24177  opened by demian.brecht

#24180: PEP 492: Documentation
http://bugs.python.org/issue24180  opened by yselivanov

#24181: test_fileio crash, 3.5, Win 7
http://bugs.python.org/issue24181  opened by terry.reedy

#24182: test_tcl assertion failure, 2.7, Win 7
http://bugs.python.org/issue24182  opened by terry.reedy

#24186: OpenSSL causes buffer overrun exception
http://bugs.python.org/issue24186  opened by steve.dower

#24190: BoundArguments facility to inject defaults
http://bugs.python.org/issue24190  opened by pitrou

#24192: unexpected system error with pep420 style namespace packages
http://bugs.python.org/issue24192  opened by ronaldoussoren

#24193: Make LOGGING_FORMAT of assertLogs configurable
http://bugs.python.org/issue24193  opened by berker.peksag

#24194: tokenize yield an ERRORTOKEN if an identifier uses Other_ID_St
http://bugs.python.org/issue24194  opened by Joshua.Landau

#24195: Add `Executor.filter` to concurrent.futures
http://bugs.python.org/issue24195  opened by cool-RR

#24198: please align the platform tag for windows
http://bugs.python.org/issue24198  opened by doko

#24199: Idle: remove idlelib.idlever.py and its use in About dialog
http://bugs.python.org/issue24199  opened by terry.reedy

#24200: Redundant id in informative reprs
http://bugs.python.org/issue24200  opened by serhiy.storchaka

#24201: _winreg PyHKEY Type Confusion
http://bugs.python.org/issue24201  opened by JohnLeitch



Most recent 15 issues with no replies (15)
==

#24200: Redundant id in informative reprs
http://bugs.python.org/issue24200

#24194: tokenize yield an ERR

[Python-Dev] Summary of Python tracker Issues

2017-09-08 Thread Python tracker

ACTIVITY SUMMARY (2017-09-01 - 2017-09-08)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6149 (-17)
  closed 36997 (+87)
  total  43146 (+70)

Open issues with patches: 2321 


Issues opened (45)
==

#31069: test_multiprocessing_spawn and test_multiprocessing_forkserver
https://bugs.python.org/issue31069  reopened by haypo

#31327: bug in dateutil\tz\tz.py
https://bugs.python.org/issue31327  opened by jerrykramskoy

#31329: Add idlelib module entry to doc
https://bugs.python.org/issue31329  opened by terry.reedy

#31331: IDLE: Move prompts with input.
https://bugs.python.org/issue31331  opened by terry.reedy

#31332: Building modules by Clang with Microsoft CodeGen
https://bugs.python.org/issue31332  opened by tats.u.

#31333: Implement ABCMeta in C
https://bugs.python.org/issue31333  opened by levkivskyi

#31334: select.poll.poll fails on BSDs with arbitrary negative timeout
https://bugs.python.org/issue31334  opened by Riccardo Coccioli

#31336: Speed up _PyType_Lookup() for class creation
https://bugs.python.org/issue31336  opened by scoder

#31338: Use abort() for code we never expect to hit
https://bugs.python.org/issue31338  opened by barry

#31342: test.bisect module causes tests to fail
https://bugs.python.org/issue31342  opened by nascheme

#31345: Backport docstring improvements to the C version of OrderedDic
https://bugs.python.org/issue31345  opened by rhettinger

#31346: Prefer PROTOCOL_TLS_CLIENT/SERVER
https://bugs.python.org/issue31346  opened by christian.heimes

#31348: webbrowser BROWSER with MacOSXOSAScript type
https://bugs.python.org/issue31348  opened by michael-lazar

#31349: Embedded initialization ignores Py_SetProgramName()
https://bugs.python.org/issue31349  opened by chrullrich

#31351: ensurepip discards pip's return code which leads to broken ven
https://bugs.python.org/issue31351  opened by Igor Filatov

#31353: Implement PEP 553 - built-in debug()
https://bugs.python.org/issue31353  opened by barry

#31354: Fixing a bug related to LTO only build
https://bugs.python.org/issue31354  opened by octavian.soldea

#31355: Remove Travis CI macOS job: rely on buildbots
https://bugs.python.org/issue31355  opened by haypo

#31356: Add context manager to temporarily disable GC
https://bugs.python.org/issue31356  opened by rhettinger

#31357: Expose `worker_target` and `workitem_cls` as arugments to cust
https://bugs.python.org/issue31357  opened by justdoit0823

#31359: `configure` script incorrectly detects symbols as available on
https://bugs.python.org/issue31359  opened by Maxime Belanger

#31361: Update feedparser.py to prevent theano compiling fail in pytho
https://bugs.python.org/issue31361  opened by Wei-Shun Lo

#31363: __PYVENV_LAUNCHER__ breaks calling another venv's interpreter
https://bugs.python.org/issue31363  opened by Ilya.Kulakov

#31366: Missing terminator option when using readline with socketserve
https://bugs.python.org/issue31366  opened by Thomas Feldmann

#31368: RWF_NONBLOCK
https://bugs.python.org/issue31368  opened by YoSTEALTH

#31369: re.RegexFlag is not included in __all__
https://bugs.python.org/issue31369  opened by PJB3005

#31371: Remove deprecated tkinter.tix module in 3.7
https://bugs.python.org/issue31371  opened by ned.deily

#31372: Add SSLSocket.get_verify_result()
https://bugs.python.org/issue31372  opened by christian.heimes

#31374: expat: warning: "_POSIX_C_SOURCE" redefined
https://bugs.python.org/issue31374  opened by christian.heimes

#31375: Add the interpreters module to stdlib (PEP 554).
https://bugs.python.org/issue31375  opened by eric.snow

#31376: test_multiprocessing_spawn randomly hangs AMD64 FreeBSD 10.x S
https://bugs.python.org/issue31376  opened by haypo

#31377: remove *_INTERNED opcodes from marshal
https://bugs.python.org/issue31377  opened by benjamin.peterson

#31378: Missing documentation for sqlite3.OperationalError
https://bugs.python.org/issue31378  opened by Leonardo Taglialegne

#31380: test_undecodable_filename() in Lib/test/test_httpservers.py br
https://bugs.python.org/issue31380  opened by howarthjw

#31381: Unable to read the project file "pythoncore.vcxproj".
https://bugs.python.org/issue31381  opened by denis-osipov

#31382: CGI upload error when file ~< 10kb
https://bugs.python.org/issue31382  opened by mschaming

#31386: Make return types of wrap_bio and wrap_socket customizable
https://bugs.python.org/issue31386  opened by christian.heimes

#31387: asyncio should make it easy to enable cooperative SIGINT handl
https://bugs.python.org/issue31387  opened by ncoghlan

#31388: Provide a way to defer SIGINT handling in the current thread
https://bugs.python.org/issue31388  opened by ncoghlan

#31389: Give pdb.set_trace() an optional `header` keyword argument
https://bugs.python.org/issue31389  opened by barry

#31390: py

[Python-Dev] Summary of Python tracker Issues

2017-09-15 Thread Python tracker

ACTIVITY SUMMARY (2017-09-08 - 2017-09-15)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6171 (+22)
  closed 37065 (+68)
  total  43236 (+90)

Open issues with patches: 2349 


Issues opened (59)
==

#28411: Eliminate PyInterpreterState.modules.
https://bugs.python.org/issue28411  reopened by eric.snow

#31370: Remove support for threads-less builds
https://bugs.python.org/issue31370  reopened by Arfrever

#31398: TypeError: gdbm key must be string, not unicode
https://bugs.python.org/issue31398  opened by sam-s

#31399: Let OpenSSL verify hostname and IP address
https://bugs.python.org/issue31399  opened by christian.heimes

#31404: undefined behavior and crashes in case of a bad sys.modules
https://bugs.python.org/issue31404  opened by Oren Milman

#31405: shutil.which doesn't find files without PATHEXT extension on W
https://bugs.python.org/issue31405  opened by rmccampbell7

#31410: int.__repr__() is slower than repr()
https://bugs.python.org/issue31410  opened by serhiy.storchaka

#31412: wave.open does not accept PathLike objects
https://bugs.python.org/issue31412  opened by mscuthbert

#31414: IDLE: Entry tests should delete before insert.
https://bugs.python.org/issue31414  opened by terry.reedy

#31415: Add -X option to show import time
https://bugs.python.org/issue31415  opened by inada.naoki

#31419: Can not install python3.6.2 due to Error 0x80070643: Failed to
https://bugs.python.org/issue31419  opened by fernado

#31422: tkinter.messagebox and tkinter.filedialog don't show default b
https://bugs.python.org/issue31422  opened by jcrmatos

#31423: Error while building PDF documentation
https://bugs.python.org/issue31423  opened by mdk

#31424: test_socket hangs on x86 Gentoo Installed with X 3.x
https://bugs.python.org/issue31424  opened by haypo

#31425: Expose AF_QIPCRTR in socket module
https://bugs.python.org/issue31425  opened by Bjorn Andersson

#31426: [3.5] crash in gen_traverse(): gi_frame.ob_type=NULL, called b
https://bugs.python.org/issue31426  opened by iwienand

#31427: Proposed addition to Windows FAQ
https://bugs.python.org/issue31427  opened by Stephan Houben

#31429: TLS cipher suite compile time option for downstream
https://bugs.python.org/issue31429  opened by christian.heimes

#31430: [Windows][2.7] Python 2.7 compilation fails on mt.exe crashing
https://bugs.python.org/issue31430  opened by haypo

#31431: SSL: check_hostname should imply CERT_REQUIRED
https://bugs.python.org/issue31431  opened by christian.heimes

#31432: Documention for CERT_OPTIONAL is misleading
https://bugs.python.org/issue31432  opened by christian.heimes

#31436: test_socket.SendfileUsingSendfileTest.testWithTimeoutTriggered
https://bugs.python.org/issue31436  opened by bmoyles

#31440: wrong default module search path in help message
https://bugs.python.org/issue31440  opened by xiang.zhang

#31441: Descriptor example in documentation is confusing, possibly wro
https://bugs.python.org/issue31441  opened by Benjamin Wohlwend

#31442: assertion failures on Windows in Python/traceback.c in case of
https://bugs.python.org/issue31442  opened by Oren Milman

#31443: Possibly out of date C extension documentation
https://bugs.python.org/issue31443  opened by Romuald

#31445: Index out of range in get of message.EmailMessage.get()
https://bugs.python.org/issue31445  opened by Michala

#31446: _winapi.CreateProcess (used by subprocess) is not thread-safe
https://bugs.python.org/issue31446  opened by evan_

#31447: proc communicate not exiting on python subprocess timeout usin
https://bugs.python.org/issue31447  opened by Leonardo Francalanci

#31449: Potential DoS Attack when Parsing Email with Huge Number of MI
https://bugs.python.org/issue31449  opened by ckossmann

#31450: Subprocess exceptions re-raised in parent process do not have 
https://bugs.python.org/issue31450  opened by msekletar

#31451: PYTHONHOME is not absolutized
https://bugs.python.org/issue31451  opened by xiang.zhang

#31452: asyncio.gather does not cancel tasks if one fails
https://bugs.python.org/issue31452  opened by Andrew Lytvyn

#31453: Debian Sid/Buster: Cannot enable TLS 1.0/1.1 with PROTOCOL_TLS
https://bugs.python.org/issue31453  opened by adrianv

#31454: Include "import as" in tutorial
https://bugs.python.org/issue31454  opened by svenyonson

#31455: ElementTree.XMLParser() mishandles exceptions
https://bugs.python.org/issue31455  opened by scoder

#31456: SimpleCookie fails to parse any cookie if an entry has whitesp
https://bugs.python.org/issue31456  opened by Adam Davis

#31458: Broken link to Misc/NEWS in What's New page
https://bugs.python.org/issue31458  opened by Mariatta

#31459: IDLE: Remane Class Browser as Module Browser
https://bugs.python.org/issue31459  opened by terry.reedy

#31460: IDLE: Revise ModuleBrowser API
https://b

[Python-Dev] Summary of Python tracker Issues

2017-09-22 Thread Python tracker

ACTIVITY SUMMARY (2017-09-15 - 2017-09-22)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6196 (+25)
  closed 37107 (+42)
  total  43303 (+67)

Open issues with patches: 2376 


Issues opened (56)
==

#13487: inspect.getmodule fails when module imports change sys.modules
https://bugs.python.org/issue13487  reopened by merwok

#31486: calling a _json.Encoder object raises a SystemError in case ob
https://bugs.python.org/issue31486  opened by Oren Milman

#31488: IDLE: Update feature classes when options are changed.
https://bugs.python.org/issue31488  opened by terry.reedy

#31489: Signal delivered to a subprocess triggers parent's handler
https://bugs.python.org/issue31489  opened by Ilya.Kulakov

#31490: assertion failure in ctypes in case an _anonymous_ attr appear
https://bugs.python.org/issue31490  opened by Oren Milman

#31491: Add is_closing() to asyncio.StreamWriter.
https://bugs.python.org/issue31491  opened by aymeric.augustin

#31492: assertion failures in case a module has a bad __name__ attribu
https://bugs.python.org/issue31492  opened by Oren Milman

#31493: IDLE cond context: fix code update and font update timers
https://bugs.python.org/issue31493  opened by terry.reedy

#31494: Valgrind suppression file
https://bugs.python.org/issue31494  opened by Aaron Michaux

#31495: Wrong offset with IndentationError ("expected an indented bloc
https://bugs.python.org/issue31495  opened by blueyed

#31496: IDLE: test_configdialog failed
https://bugs.python.org/issue31496  opened by serhiy.storchaka

#31500: IDLE: Tiny font on HiDPI display
https://bugs.python.org/issue31500  opened by serhiy.storchaka

#31502: IDLE: Config dialog again deletes custom themes and keysets.
https://bugs.python.org/issue31502  opened by terry.reedy

#31503: Enhance dir(module) to be informed by __all__ by updating modu
https://bugs.python.org/issue31503  opened by codypiersall

#31504: Documentation for return value for string.rindex is missing wh
https://bugs.python.org/issue31504  opened by kgashok

#31505: assertion failure in json, in case _json.make_encoder() receiv
https://bugs.python.org/issue31505  opened by Oren Milman

#31506: Improve the error message logic for object_new & object_init
https://bugs.python.org/issue31506  opened by ncoghlan

#31507: email.utils.parseaddr has no docstring
https://bugs.python.org/issue31507  opened by mark.dickinson

#31508: Running test_ttk_guionly logs "test_widgets.py:1562: UserWarni
https://bugs.python.org/issue31508  opened by haypo

#31509: test_subprocess hangs randomly on AMD64 Windows10 3.x
https://bugs.python.org/issue31509  opened by haypo

#31510: test_many_processes() of test_multiprocessing_spawn failed on 
https://bugs.python.org/issue31510  opened by haypo

#31511: test_normalization: test.support.open_urlresource() doesn't ha
https://bugs.python.org/issue31511  opened by haypo

#31512: Add non-elevated symlink support for dev mode Windows 10
https://bugs.python.org/issue31512  opened by vidartf

#31516: current_thread() becomes "dummy" thread during shutdown
https://bugs.python.org/issue31516  opened by pitrou

#31517: MainThread association logic is fragile
https://bugs.python.org/issue31517  opened by pitrou

#31518: ftplib, urllib2, poplib, httplib, urllib2_localnet use ssl.PRO
https://bugs.python.org/issue31518  opened by doko

#31520: ResourceWarning: unclosed  w
https://bugs.python.org/issue31520  opened by haypo

#31521: segfault in PyBytes_AsString
https://bugs.python.org/issue31521  opened by Tim Smith

#31522: _mboxMMDF.get_string() fails to pass param to get_bytes()
https://bugs.python.org/issue31522  opened by bpoaugust

#31523: Windows build file fixes
https://bugs.python.org/issue31523  opened by steve.dower

#31524: mailbox._mboxMMDF.get_message throws away From envelope
https://bugs.python.org/issue31524  opened by bpoaugust

#31526: Allow setting timestamp in gzip-compressed tarfiles
https://bugs.python.org/issue31526  opened by randombit

#31527: Report details of excess arguments in object_new & object_init
https://bugs.python.org/issue31527  opened by ncoghlan

#31528: Let ConfigParser parse systemd units
https://bugs.python.org/issue31528  opened by johnlinp

#31529: IDLE: Add docstrings and tests for editor.py reload functions
https://bugs.python.org/issue31529  opened by csabella

#31530: Python 2.7 readahead feature of file objects is not thread saf
https://bugs.python.org/issue31530  opened by haypo

#31531: crash and SystemError in case of a bad zipimport._zip_director
https://bugs.python.org/issue31531  opened by Oren Milman

#31534: python 3.6.2 installation failed 0x80070002 error
https://bugs.python.org/issue31534  opened by roie

#31535: configparser unable to write comment with a upper cas letter
https://bugs.python.org/issue31535  opened b

[Python-Dev] Summary of Python tracker Issues

2017-09-29 Thread Python tracker

ACTIVITY SUMMARY (2017-09-22 - 2017-09-29)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6208 (+12)
  closed 37181 (+74)
  total  43389 (+86)

Open issues with patches: 2384 


Issues opened (54)
==

#25287: test_crypt fails on OpenBSD
https://bugs.python.org/issue25287  reopened by serhiy.storchaka

#31553: Extend json.tool to handle jsonlines (with a flag)
https://bugs.python.org/issue31553  opened by Eric Moyer

#31554: Warn when __loader__ != __spec__.loader
https://bugs.python.org/issue31554  opened by brett.cannon

#31555: Windows pyd slower when not loaded via load_dynamic
https://bugs.python.org/issue31555  opened by Safihre

#31556: asyncio.wait_for can cancel futures faster with timeout==0
https://bugs.python.org/issue31556  opened by hellysmile

#31557: tarfile: incorrectly treats regular file as directory
https://bugs.python.org/issue31557  opened by Joe Tsai

#31558: gc.freeze() - an API to mark objects as uncollectable
https://bugs.python.org/issue31558  opened by lukasz.langa

#31562: snakebite.net is not available
https://bugs.python.org/issue31562  opened by serhiy.storchaka

#31565: open() doesn't use locale.getpreferredencoding()
https://bugs.python.org/issue31565  opened by serhiy.storchaka

#31567: Inconsistent documentation around decorators
https://bugs.python.org/issue31567  opened by dmiyakawa

#31572: Avoid suppressing all exceptions in PyObject_HasAttr()
https://bugs.python.org/issue31572  opened by serhiy.storchaka

#31573: PyStructSequence_New() doesn't validate its input type (crashe
https://bugs.python.org/issue31573  opened by Oren Milman

#31574: Add dtrace hook for importlib
https://bugs.python.org/issue31574  opened by christian.heimes

#31577: crash in os.utime() in case of a bad ns argument
https://bugs.python.org/issue31577  opened by Oren Milman

#31581: Reduce the number of imports for functools
https://bugs.python.org/issue31581  opened by inada.naoki

#31582: Add _pth breadcrumb to sys.path documentation
https://bugs.python.org/issue31582  opened by Traveler Hauptman

#31583: 2to3 call for file in current directory yields error
https://bugs.python.org/issue31583  opened by denis-osipov

#31584: Documentation Language mixed up
https://bugs.python.org/issue31584  opened by asl

#31589: Links for French documentation pdf is broken
https://bugs.python.org/issue31589  opened by fabrice

#31590: CSV module incorrectly treats escaped newlines as new records 
https://bugs.python.org/issue31590  opened by mallyvai

#31591: Closing socket raises AttributeError: 'collections.deque' obje
https://bugs.python.org/issue31591  opened by reidfaiv

#31592: assertion failure in Python/ast.c in case of a bad unicodedata
https://bugs.python.org/issue31592  opened by Oren Milman

#31594: Make bytes and bytearray maketrans accept dictionaries as firs
https://bugs.python.org/issue31594  opened by oleksandr.suvorov

#31596: expose pthread_getcpuclockid in time module
https://bugs.python.org/issue31596  opened by pdox

#31601: Availability of utimensat and futimens not checked correctly o
https://bugs.python.org/issue31601  opened by jmr

#31602: assertion failure in zipimporter.get_source() in case of a bad
https://bugs.python.org/issue31602  opened by Oren Milman

#31603: Please add argument to override stdin/out/err in the input bui
https://bugs.python.org/issue31603  opened by wt

#31604: unittest.TestLoader().loadTestsFromTestCase(...) fails when ad
https://bugs.python.org/issue31604  opened by Erasmus Cedernaes

#31606: [Windows] Tests failing on installed Python 3.7a1 on Windows
https://bugs.python.org/issue31606  opened by haypo

#31607: Add listsize in pdb.py
https://bugs.python.org/issue31607  opened by matrixise

#31608: crash in methods of a subclass of _collections.deque with a ba
https://bugs.python.org/issue31608  opened by Oren Milman

#31609: PCbuild\clean.bat fails if the path contains whitespaces
https://bugs.python.org/issue31609  opened by serhiy.storchaka

#31610: Use select.poll instead of select.select in SocketServer.BaseS
https://bugs.python.org/issue31610  opened by Беатрис Бонева

#31611: Tests failures using -u largefile when the disk is full
https://bugs.python.org/issue31611  opened by haypo

#31612: Building 3.6 fails on Windows
https://bugs.python.org/issue31612  opened by serhiy.storchaka

#31613: tkinter.simpledialog default buttons (not buttonbox) are not l
https://bugs.python.org/issue31613  opened by jcrmatos

#31618: Change sys.settrace opcode tracing to occur after frame line n
https://bugs.python.org/issue31618  opened by gwk

#31619: Strange error when convert hexadecimal with underscores to int
https://bugs.python.org/issue31619  opened by serhiy.storchaka

#31620: asyncio.Queue leaks memory if the queue is empty and consumers
https://bugs.python.org/i

[Python-Dev] Summary of Python tracker Issues

2017-10-06 Thread Python tracker

ACTIVITY SUMMARY (2017-09-29 - 2017-10-06)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6225 (+17)
  closed 37243 (+62)
  total  43468 (+79)

Open issues with patches: 2393 


Issues opened (53)
==

#11063: Rework uuid module: lazy initialization and add a new C extens
https://bugs.python.org/issue11063  reopened by haypo

#31178: [EASY] subprocess: TypeError: can't concat str to bytes, in _e
https://bugs.python.org/issue31178  reopened by haypo

#31415: Add -X option to show import time
https://bugs.python.org/issue31415  reopened by terry.reedy

#31639: http.server and SimpleHTTPServer hang after a few requests
https://bugs.python.org/issue31639  opened by mattpr

#31640: Document exit() from parse_args
https://bugs.python.org/issue31640  opened by CharlesMerriam

#31642: None value in sys.modules no longer blocks import
https://bugs.python.org/issue31642  opened by christian.heimes

#31643: test_uuid: test_getnode and test_windll_getnode fail if connec
https://bugs.python.org/issue31643  opened by Ivan.Pozdeev

#31645: openssl build fails in win32 if .pl extension is not associate
https://bugs.python.org/issue31645  opened by Ivan.Pozdeev

#31647: asyncio: StreamWriter write_eof() after close raises mysteriou
https://bugs.python.org/issue31647  opened by twisteroid ambassador

#31650: implement PEP 552
https://bugs.python.org/issue31650  opened by benjamin.peterson

#31652: make install fails: no module _ctypes
https://bugs.python.org/issue31652  opened by Dandan Lee

#31653: Don't release the GIL if we can acquire a multiprocessing sema
https://bugs.python.org/issue31653  opened by Daniel Colascione

#31654: ctypes should support atomic operations
https://bugs.python.org/issue31654  opened by Daniel Colascione

#31655: SimpleNamespace accepts non-string keyword names
https://bugs.python.org/issue31655  opened by serhiy.storchaka

#31658: xml.sax.parse won't accept path objects
https://bugs.python.org/issue31658  opened by craigh

#31659: ssl module should not use textwrap for wrapping PEM format.
https://bugs.python.org/issue31659  opened by inada.naoki

#31660: sys.executable different in os.execv'd python3.6 virtualenv se
https://bugs.python.org/issue31660  opened by Stephen Moore

#31664: Add support of new crypt methods
https://bugs.python.org/issue31664  opened by serhiy.storchaka

#31665: Edit "Setting [windows] environmental variables"
https://bugs.python.org/issue31665  opened by terry.reedy

#31666: Pandas_datareader Error Message - ModuleNotFoundError: No modu
https://bugs.python.org/issue31666  opened by Scott Tucholka

#31667: Wrong links in the gettext.NullTranslations class
https://bugs.python.org/issue31667  opened by linkid

#31668: "fixFirefoxAnchorBug" function in doctools.js causes navigatin
https://bugs.python.org/issue31668  opened by fireattack

#31670: Associate .wasm with application/wasm
https://bugs.python.org/issue31670  opened by flagxor

#31672: string.Template should use re.ASCII flag
https://bugs.python.org/issue31672  opened by inada.naoki

#31674: Buildbots: random "Failed to connect to github.com port 443: C
https://bugs.python.org/issue31674  opened by haypo

#31676: test.test_imp.ImportTests.test_load_source has side effects
https://bugs.python.org/issue31676  opened by serhiy.storchaka

#31678: Incorrect C Function name for timedelta
https://bugs.python.org/issue31678  opened by phobosmir

#31680: Expose curses library name and version on Python level
https://bugs.python.org/issue31680  opened by serhiy.storchaka

#31681: pkgutil.get_data() leaks open files in Python 2.7
https://bugs.python.org/issue31681  opened by Elvis.Pranskevichus

#31683: a stack overflow on windows in faulthandler._fatal_error()
https://bugs.python.org/issue31683  opened by Oren Milman

#31684: Scientific formatting of decimal 0 different from float 0
https://bugs.python.org/issue31684  opened by Aaron.Meurer

#31686: GZip library doesn't properly close files
https://bugs.python.org/issue31686  opened by Jake Lever

#31687: test_semaphore_tracker() of test_multiprocessing_spawn fails r
https://bugs.python.org/issue31687  opened by haypo

#31690: Make RE "a", "L" and "u" inline flags local
https://bugs.python.org/issue31690  opened by serhiy.storchaka

#31691: Include missing info on required build steps and how to build 
https://bugs.python.org/issue31691  opened by Ivan.Pozdeev

#31692: [2.7] Test `test_huntrleaks()` of test_regrtest fails in debug
https://bugs.python.org/issue31692  opened by ishcherb

#31694: Running Windows installer with LauncherOnly=1 should not regis
https://bugs.python.org/issue31694  opened by uranusjr

#31695: Improve bigmem tests
https://bugs.python.org/issue31695  opened by serhiy.storchaka

#31698: Add REQ_NAME to the

[Python-Dev] Summary of Python tracker Issues

2017-10-13 Thread Python tracker

ACTIVITY SUMMARY (2017-10-06 - 2017-10-13)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6251 (+26)
  closed 37280 (+37)
  total  43531 (+63)

Open issues with patches: 2410 


Issues opened (47)
==

#27172: Undeprecate inspect.getfullargspec()
https://bugs.python.org/issue27172  reopened by larry

#31718: some methods of uninitialized io.IncrementalNewlineDecoder obj
https://bugs.python.org/issue31718  opened by Oren Milman

#31721: assertion failure in FutureObj_finalize() after setting _log_t
https://bugs.python.org/issue31721  opened by Oren Milman

#31722: _io.IncrementalNewlineDecoder doesn't inherit codecs.Increment
https://bugs.python.org/issue31722  opened by serhiy.storchaka

#31724: test_xmlrpc_net should use something other than buildbot.pytho
https://bugs.python.org/issue31724  opened by zach.ware

#31725: Turtle/tkinter: NameError crashes ipython with "Tcl_AsyncDelet
https://bugs.python.org/issue31725  opened by Rick J. Pelleg

#31726: Missing token.COMMENT
https://bugs.python.org/issue31726  opened by fpom

#31727: FTP_TLS errors when
https://bugs.python.org/issue31727  opened by jonathan-lp

#31729: multiprocesssing.pool.AsyncResult undocumented field
https://bugs.python.org/issue31729  opened by g...@nlc.co.nz

#31731: [2.7] test_io hangs on x86 Gentoo Refleaks 2.7
https://bugs.python.org/issue31731  opened by haypo

#31733: [2.7] Add PYTHONSHOWREFCOUNT environment variable to Python 2.
https://bugs.python.org/issue31733  opened by haypo

#31734: crash or SystemError in sqlite3.Cache in case it is uninitiali
https://bugs.python.org/issue31734  opened by Oren Milman

#31735: Documentation incorrectly states how descriptors are invoked
https://bugs.python.org/issue31735  opened by Paul Pinterits

#31737: Documentation renders incorrectly
https://bugs.python.org/issue31737  opened by gibson042

#31738: Lib/site.py: method `abs_paths` is not documented
https://bugs.python.org/issue31738  opened by lielfr

#31739: socket.close recommended but not demonstrated in same-page exa
https://bugs.python.org/issue31739  opened by Nathaniel Manista

#31742: Default to emitting FutureWarning for provisional APIs
https://bugs.python.org/issue31742  opened by ncoghlan

#31743: Proportional Width Font on Generated Python Docs PDFs
https://bugs.python.org/issue31743  opened by synthmeat

#31745: Overloading "Py_GetPath" does not work
https://bugs.python.org/issue31745  opened by kayhayen

#31746: crashes in sqlite3.Connection in case it is uninitialized or p
https://bugs.python.org/issue31746  opened by Oren Milman

#31748: configure fails to detect fchdir() using CFLAGS="-Werror -Wall
https://bugs.python.org/issue31748  opened by dilyan.palauzov

#31749: Request: Human readable byte amounts in the standard library
https://bugs.python.org/issue31749  opened by miserlou2

#31750: expose PyCell_Type in types module
https://bugs.python.org/issue31750  opened by akvadrako

#31751: Support for C++ 11 and/or C++ 14 in python.org installer
https://bugs.python.org/issue31751  opened by hardkrash

#31752: Assertion failure in timedelta() in case of bad __divmod__
https://bugs.python.org/issue31752  opened by serhiy.storchaka

#31753: Unnecessary closure in ast.literal_eval
https://bugs.python.org/issue31753  opened by Aaron Hall

#31754: Documented type of parameter 'itemsize' to PyBuffer_FillContig
https://bugs.python.org/issue31754  opened by snoeberger

#31756: subprocess.run should alias universal_newlines to text
https://bugs.python.org/issue31756  opened by andrewclegg

#31757: Tutorial: Fibonacci numbers start with 1, 1
https://bugs.python.org/issue31757  opened by skyhein

#31758: various refleaks in _elementtree
https://bugs.python.org/issue31758  opened by Oren Milman

#31760: Re-definition of _POSIX_C_SOURCE with Fedora 26.
https://bugs.python.org/issue31760  opened by matrixise

#31763: Add NOTICE level to the logging module
https://bugs.python.org/issue31763  opened by mp5023

#31764: sqlite3.Cursor.close() crashes in case the Cursor object is un
https://bugs.python.org/issue31764  opened by Oren Milman

#31765: BUG: System deadlocks performing big loop operations in python
https://bugs.python.org/issue31765  opened by Nik101

#31767: Windows Installer fails with error 0x80091007 when trying to i
https://bugs.python.org/issue31767  opened by Igor.Skochinsky

#31768: argparse drops '|'s when the arguments are too long
https://bugs.python.org/issue31768  opened by caveman

#31769: configure includes user CFLAGS when detecting pthreads support
https://bugs.python.org/issue31769  opened by floppymaster

#31770: crash and refleaks when calling sqlite3.Cursor.__init__() more
https://bugs.python.org/issue31770  opened by Oren Milman

#31771: tkinter geometry string +- when window ovelaps left or top of 

[Python-Dev] Summary of Python tracker Issues

2017-10-20 Thread Python tracker

ACTIVITY SUMMARY (2017-10-13 - 2017-10-20)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6260 ( +9)
  closed 37318 (+38)
  total  43578 (+47)

Open issues with patches: 2415 


Issues opened (36)
==

#31761: Failures and crashes when running tests by import in IDLE
https://bugs.python.org/issue31761  reopened by terry.reedy

#31772: SourceLoader uses stale bytecode in case of equal mtime second
https://bugs.python.org/issue31772  reopened by brett.cannon

#31781: crashes when calling methods of an uninitialized zipimport.zip
https://bugs.python.org/issue31781  opened by Oren Milman

#31782: Add a timeout to multiprocessing's Pool.join
https://bugs.python.org/issue31782  opened by Will Starms

#31783: Race condition in ThreadPoolExecutor when scheduling new jobs 
https://bugs.python.org/issue31783  opened by Steven.Barker

#31784: Implementation of the PEP 564: Add time.time_ns()
https://bugs.python.org/issue31784  opened by haypo

#31787: various refleaks when calling the __init__() method of an obje
https://bugs.python.org/issue31787  opened by Oren Milman

#31789: Better error message when failing to overload metaclass.mro
https://bugs.python.org/issue31789  opened by bup

#31790: double free or corruption (while using smem)
https://bugs.python.org/issue31790  opened by zulthan

#31791: Ensure that all PyTypeObject fields are set to non-NULL defaul
https://bugs.python.org/issue31791  opened by pdox

#31793: Allow to specialize smart quotes in documentation translations
https://bugs.python.org/issue31793  opened by mdk

#31794: Issues with test.autotest
https://bugs.python.org/issue31794  opened by serhiy.storchaka

#31798: `site.abs__file__` fails for modules where `__file__` cannot b
https://bugs.python.org/issue31798  opened by Alexander McFarlane

#31800: datetime.strptime: Support for parsing offsets with a colon
https://bugs.python.org/issue31800  opened by mariocj89

#31801: vars() manipulation encounters problems with Enum
https://bugs.python.org/issue31801  opened by ethan.furman

#31802: 'import posixpath' fails if 'os.path' has not be imported alre
https://bugs.python.org/issue31802  opened by Mark.Shannon

#31803: time.clock() should emit a DeprecationWarning
https://bugs.python.org/issue31803  opened by haypo

#31804: multiprocessing calls flush on sys.stdout at exit even if it i
https://bugs.python.org/issue31804  opened by Pox TheGreat

#31805: support._is_gui_available() hangs on x86-64 Sierra 3.6/3.x bui
https://bugs.python.org/issue31805  opened by haypo

#31807: unitest.mock: Using autospec=True conflicts with 'wraps'
https://bugs.python.org/issue31807  opened by John Villalovos

#31808: tarfile.extractall fails to overwrite symlinks
https://bugs.python.org/issue31808  opened by Frederic Beister

#31809: ssl module unnecessarily pins the client curve when using ECDH
https://bugs.python.org/issue31809  opened by gr

#31810: Travis CI, buildbots: run "make smelly" to check if CPython le
https://bugs.python.org/issue31810  opened by haypo

#31811: async and await missing from keyword list in lexical analysis 
https://bugs.python.org/issue31811  opened by Colin Dunklau

#31812: Document PEP 545 (documentation translation) in What's New in 
https://bugs.python.org/issue31812  opened by haypo

#31813: python -m enshure pip stucks
https://bugs.python.org/issue31813  opened by Serhy Pyton

#31814: subprocess_fork_exec more stable with vfork
https://bugs.python.org/issue31814  opened by Albert.Zeyer

#31815: Make itertools iterators interruptible
https://bugs.python.org/issue31815  opened by serhiy.storchaka

#31817: Compilation Error with Python 3.6.1/3.6.3 with Tkinter
https://bugs.python.org/issue31817  opened by jpc2350

#31818: [macOS] _scproxy.get_proxies() crash -- get_proxies() is not f
https://bugs.python.org/issue31818  opened by Mirko Friedenhagen

#31821: pause_reading() doesn't work from connection_made()
https://bugs.python.org/issue31821  opened by pitrou

#31822: Document that urllib.parse.{Defrag,Split,Parse}Result are name
https://bugs.python.org/issue31822  opened by Allen Li

#31823: Opaque default value for close_fds argument in Popen.__init__
https://bugs.python.org/issue31823  opened by Алексей Аверченко

#31824: Missing default argument detail in documentation of StreamRead
https://bugs.python.org/issue31824  opened by PeterLovett

#31826: Misleading __version__ attribute of modules in standard librar
https://bugs.python.org/issue31826  opened by abukaj

#31827: Remove os.stat_float_times()
https://bugs.python.org/issue31827  opened by haypo



Most recent 15 issues with no replies (15)
==

#31826: Misleading __version__ attribute of modules in standard librar
https://bugs.python.org/issue31826

#

[Python-Dev] Summary of Python tracker Issues

2017-10-27 Thread Python tracker

ACTIVITY SUMMARY (2017-10-20 - 2017-10-27)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6260 ( +0)
  closed 37377 (+59)
  total  43637 (+59)

Open issues with patches: 2411 


Issues opened (51)
==

#18835: Add aligned memory variants to the suite of PyMem functions/ma
https://bugs.python.org/issue18835  reopened by skrah

#28224: Compilation warnings on Windows: export 'PyInit_xx' specified 
https://bugs.python.org/issue28224  reopened by skrah

#30768: PyThread_acquire_lock_timed() should recompute the timeout whe
https://bugs.python.org/issue30768  reopened by haypo

#31811: async and await missing from keyword list in lexical analysis 
https://bugs.python.org/issue31811  reopened by yselivanov

#31828: Support Py_tss_NEEDS_INIT outside of static initialisation
https://bugs.python.org/issue31828  opened by scoder

#31829: Portability issues with pickle
https://bugs.python.org/issue31829  opened by serhiy.storchaka

#31830: asyncio.create_subprocess_exec doesn't capture all stdout outp
https://bugs.python.org/issue31830  opened by cannedrag

#31831: EmailMessage.add_attachment(filename="long or spécial") crash
https://bugs.python.org/issue31831  opened by calimeroteknik

#31834: BLAKE2: the (pure) SSE2 impl forced on x86_64 is slower than r
https://bugs.python.org/issue31834  opened by mgorny

#31836: test_code_module fails after test_idle
https://bugs.python.org/issue31836  opened by serhiy.storchaka

#31837: ParseError in test_all_project_files()
https://bugs.python.org/issue31837  opened by serhiy.storchaka

#31839: datetime: add method to parse isoformat() output
https://bugs.python.org/issue31839  opened by orent

#31841: Several methods of collections.UserString do not return instan
https://bugs.python.org/issue31841  opened by vaultah

#31842: pathlib: "Incorrect function" during resolve()
https://bugs.python.org/issue31842  opened by earonesty2

#31843: sqlite3.connect() should accept PathLike objects
https://bugs.python.org/issue31843  opened by Allen Li

#31844: HTMLParser: undocumented not implemented method
https://bugs.python.org/issue31844  opened by srittau

#31846: Error in 3.6.3 epub docs
https://bugs.python.org/issue31846  opened by n8henrie

#31848: "aifc" module does not always initialize "Aifc_read._ssnd_chun
https://bugs.python.org/issue31848  opened by Zero

#31849: Python/pyhash.c warning: comparison of integers of different s
https://bugs.python.org/issue31849  opened by xdegaye

#31850: test_nntplib failed with "nntplib.NNTPDataError: line too long
https://bugs.python.org/issue31850  opened by haypo

#31851: test_subprocess hangs randomly on x86 Windows7 3.x
https://bugs.python.org/issue31851  opened by haypo

#31852: Crashes with lines of the form "async \"
https://bugs.python.org/issue31852  opened by Alexandre Hamelin

#31853: Use super().method instead of socket.method in SSLSocket
https://bugs.python.org/issue31853  opened by earonesty

#31854: Add mmap.ACCESS_DEFAULT to namespace
https://bugs.python.org/issue31854  opened by Justus Schwabedal

#31855: mock_open is not compatible with read(n) (and pickle.load)
https://bugs.python.org/issue31855  opened by ron.rothman

#31858: IDLE: cleanup use of sys.ps1 and never set it.
https://bugs.python.org/issue31858  opened by terry.reedy

#31859: sharedctypes.RawArray initialization
https://bugs.python.org/issue31859  opened by meetaig

#31860: IDLE: Make font sample editable
https://bugs.python.org/issue31860  opened by serhiy.storchaka

#31861: aiter() and anext() built-in functions
https://bugs.python.org/issue31861  opened by davide.rizzo

#31862: Port the standard library to PEP 489 multiphase initialization
https://bugs.python.org/issue31862  opened by Dormouse759

#31863: Inconsistent returncode/exitcode for terminated child processe
https://bugs.python.org/issue31863  opened by Akos Kiss

#31865: html.unescape does not work as per documentation
https://bugs.python.org/issue31865  opened by cardin

#31867: Duplicated keys in MIME type_map with different values
https://bugs.python.org/issue31867  opened by Mark.Shannon

#31868: Null pointer dereference in ndb.ndbm get when used with a defa
https://bugs.python.org/issue31868  opened by tmiasko

#31869: commentary on ssl.PROTOCOL_TLS
https://bugs.python.org/issue31869  opened by J Sloot

#31870: add timeout parameter for get_server_certificate in ssl.py
https://bugs.python.org/issue31870  opened by Nixawk

#31871: Support for file descriptor params in os.path
https://bugs.python.org/issue31871  opened by Mateusz Kurek

#31872: SSL BIO is broken for internationalized domains
https://bugs.python.org/issue31872  opened by asvetlov

#31873: Inconsistent capitalization of proper noun - Unicode.
https://bugs.python.org/issue31873  opened by toonarmycaptain

#3187

[Python-Dev] Summary of Python tracker Issues

2017-11-03 Thread Python tracker

ACTIVITY SUMMARY (2017-10-27 - 2017-11-03)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6255 ( -5)
  closed 37431 (+54)
  total  43686 (+49)

Open issues with patches: 2416 


Issues opened (36)
==

#27456: asyncio: set TCP_NODELAY flag by default
https://bugs.python.org/issue27456  reopened by yselivanov

#31887: docs for email.generator are missing a comment on special mult
https://bugs.python.org/issue31887  opened by dhke

#31889: difflib SequenceMatcher ratio() still have unpredictable behav
https://bugs.python.org/issue31889  opened by Siltaar

#31892: ssl.get_server_certificate should allow specifying certificate
https://bugs.python.org/issue31892  opened by hanno

#31894: test_timestamp_naive failed on NetBSD
https://bugs.python.org/issue31894  opened by serhiy.storchaka

#31895: Native hijri calendar support
https://bugs.python.org/issue31895  opened by haneef95

#31896: In function define class inherit ctypes.structure, and using c
https://bugs.python.org/issue31896  opened by Yang Big

#31897: Unexpected exceptions in plistlib.loads
https://bugs.python.org/issue31897  opened by Ned Williamson

#31898: Add a `recommended-packages.txt` file
https://bugs.python.org/issue31898  opened by ncoghlan

#31899: Ensure backwards compatibility with recommended packages
https://bugs.python.org/issue31899  opened by ncoghlan

#31900: localeconv() should decode numeric fields from LC_NUMERIC enco
https://bugs.python.org/issue31900  opened by cstratak

#31901: atexit callbacks only called for current subinterpreter
https://bugs.python.org/issue31901  opened by Dormouse759

#31902: Fix col_offset for ast nodes: AsyncFor, AsyncFunctionDef, Asyn
https://bugs.python.org/issue31902  opened by guoci

#31903: `_scproxy` calls SystemConfiguration functions in a way that c
https://bugs.python.org/issue31903  opened by Maxime Belanger

#31904: Python should support VxWorks RTOS
https://bugs.python.org/issue31904  opened by Brian Kuhl

#31907: Clarify error message when attempting to call function via str
https://bugs.python.org/issue31907  opened by mickey695

#31908: trace module cli does not write cover files
https://bugs.python.org/issue31908  opened by Michael Selik

#31910: test_socket.test_create_connection() failed with EADDRNOTAVAIL
https://bugs.python.org/issue31910  opened by haypo

#31911: Use malloc_usable_size() in pymalloc for realloc
https://bugs.python.org/issue31911  opened by haypo

#31912: PyMem_Malloc() should guarantee alignof(max_align_t)
https://bugs.python.org/issue31912  opened by skrah

#31913: forkserver could warn if several threads are running
https://bugs.python.org/issue31913  opened by pitrou

#31914: Document Pool.(star)map return type
https://bugs.python.org/issue31914  opened by dilyan.palauzov

#31916: ensurepip not honoring value of $(DESTDIR) - pip not installed
https://bugs.python.org/issue31916  opened by multimiler

#31920: pygettext ignores directories as inputfile argument
https://bugs.python.org/issue31920  opened by Oleg Krasnikov

#31921: Bring together logic for entering/leaving a frame in frameobje
https://bugs.python.org/issue31921  opened by pdox

#31922: Can't receive replies from multicast UDP with asyncio
https://bugs.python.org/issue31922  opened by vxgmichel

#31923: Misspelled "loading" in Doc/includes/sqlite3/load_extension.py
https://bugs.python.org/issue31923  opened by davywtf

#31924: Fix test_curses on NetBSD 8
https://bugs.python.org/issue31924  opened by serhiy.storchaka

#31925: test_socket creates too many locks
https://bugs.python.org/issue31925  opened by serhiy.storchaka

#31927: Fix compiling the socket module on NetBSD 8 and other issues
https://bugs.python.org/issue31927  opened by serhiy.storchaka

#31930: IDLE: Pressing "Home" on Windows places cursor before ">>>"
https://bugs.python.org/issue31930  opened by terry.reedy

#31931: test_concurrent_futures: ProcessPoolSpawnExecutorTest.test_shu
https://bugs.python.org/issue31931  opened by haypo

#31932: setup.py cannot find vcversall.bat on MSWin 8.1 if installed i
https://bugs.python.org/issue31932  opened by laranzu

#31933: some Blake2 parameters are encoded backwards on big-endian pla
https://bugs.python.org/issue31933  opened by oconnor663

#31934: Failure to build out of source from a not clean source
https://bugs.python.org/issue31934  opened by xdegaye

#31935: subprocess.run() timeout not working with grandchildren and st
https://bugs.python.org/issue31935  opened by Martin Ritter



Most recent 15 issues with no replies (15)
==

#31935: subprocess.run() timeout not working with grandchildren and st
https://bugs.python.org/issue31935

#31934: Failure to build out of source from a not clean source
https://bugs.python.org/issue31934

#31932: setup.

[Python-Dev] Summary of Python tracker Issues

2017-11-10 Thread Python tracker

ACTIVITY SUMMARY (2017-11-03 - 2017-11-10)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6247 ( -8)
  closed 37507 (+76)
  total  43754 (+68)

Open issues with patches: 2404 


Issues opened (44)
==

#10049: Add a "no-op" (null) context manager to contextlib
https://bugs.python.org/issue10049  reopened by ncoghlan

#31486: calling a _json.Encoder object raises a SystemError in case ob
https://bugs.python.org/issue31486  reopened by serhiy.storchaka

#31937: Add the term "dunder" to the glossary
https://bugs.python.org/issue31937  opened by brett.cannon

#31938: Convert selectmodule.c to Argument Clinic
https://bugs.python.org/issue31938  opened by taleinat

#31939: Support return annotation in signature for Argument Clinic
https://bugs.python.org/issue31939  opened by haypo

#31940: copystat on symlinks fails for alpine -- faulty lchmod impleme
https://bugs.python.org/issue31940  opened by Anthony Sottile

#31942: Document that support of start and stop parameters in the Sequ
https://bugs.python.org/issue31942  opened by serhiy.storchaka

#31943: Add asyncio.Handle.cancelled() method
https://bugs.python.org/issue31943  opened by decaz

#31946: mailbox.MH.add loses status info from other formats
https://bugs.python.org/issue31946  opened by shai

#31947: names=None case is not handled by EnumMeta._create_ method
https://bugs.python.org/issue31947  opened by anentropic

#31948: [EASY] Broken MSDN links in msilib docs
https://bugs.python.org/issue31948  opened by berker.peksag

#31949: Bugs in PyTraceBack_Print()
https://bugs.python.org/issue31949  opened by serhiy.storchaka

#31951: import curses is broken on windows
https://bugs.python.org/issue31951  opened by joe m2

#31954: Don't prevent dict optimization by coupling with OrderedDict
https://bugs.python.org/issue31954  opened by serhiy.storchaka

#31956: Add start and stop parameters to the array.index()
https://bugs.python.org/issue31956  opened by niki.spahiev

#31958: UUID versions are not validated to lie in the documented range
https://bugs.python.org/issue31958  opened by David MacIver

#31961: subprocess._execute_child doesn't accept a single PathLike arg
https://bugs.python.org/issue31961  opened by Roy Williams

#31962: test_importlib double free or corruption
https://bugs.python.org/issue31962  opened by DNSGeek

#31964: [3.4][3.5] pyexpat: compilaton of libexpat fails with: ISO C90
https://bugs.python.org/issue31964  opened by haypo

#31966: [EASY C][Windows] print('hello\n', end='', flush=True) raises 
https://bugs.python.org/issue31966  opened by Guillaume Aldebert

#31967: [Windows] test_distutils: fatal error LNK1158: cannot run 'rc.
https://bugs.python.org/issue31967  opened by haypo

#31968: exec(): method's default arguments from dict-inherited globals
https://bugs.python.org/issue31968  opened by Ilya Polyakovskiy

#31971: idle_test: failures on x86 Windows7 3.x
https://bugs.python.org/issue31971  opened by haypo

#31972: Inherited docstrings for pathlib classes are confusing
https://bugs.python.org/issue31972  opened by eric.araujo

#31973: Incomplete DeprecationWarning for async/await keywords
https://bugs.python.org/issue31973  opened by barry

#31975: Add a default filter for DeprecationWarning in __main__
https://bugs.python.org/issue31975  opened by ncoghlan

#31976: Segfault when closing BufferedWriter from a different thread
https://bugs.python.org/issue31976  opened by benfogle

#31978: make it simpler to round fractions
https://bugs.python.org/issue31978  opened by wolma

#31979: Simplify converting non-ASCII strings to int, float and comple
https://bugs.python.org/issue31979  opened by serhiy.storchaka

#31982: 8.3. collections — Container datatypes
https://bugs.python.org/issue31982  opened by Sasha Kacanski

#31983: Officially add Py_SETREF and Py_XSETREF
https://bugs.python.org/issue31983  opened by serhiy.storchaka

#31984: startswith and endswith leak implementation details
https://bugs.python.org/issue31984  opened by Ronan.Lamy

#31985: Deprecate openfp() in aifc, sunau and wave
https://bugs.python.org/issue31985  opened by brian.curtin

#31986: [2.7] test_urllib2net.test_sites_no_connection_close() randoml
https://bugs.python.org/issue31986  opened by haypo

#31988: Saving bytearray to binary plist file doesn't work
https://bugs.python.org/issue31988  opened by serhiy.storchaka

#31990: Pickling deadlocks in thread with python -m
https://bugs.python.org/issue31990  opened by Werner Smidt

#31991: Race condition in wait with timeout for multiprocessing.Event
https://bugs.python.org/issue31991  opened by tomMoral

#31993: pickle.dump allocates unnecessary temporary bytes / str
https://bugs.python.org/issue31993  opened by Olivier.Grisel

#31994: json encoder exception could be better
http

[Python-Dev] Summary of Python tracker Issues

2017-11-17 Thread Python tracker

ACTIVITY SUMMARY (2017-11-10 - 2017-11-17)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6261 (+14)
  closed 37553 (+46)
  total  43814 (+60)

Open issues with patches: 2409 


Issues opened (39)
==

#27494: 2to3 parser failure caused by a comma after a generator expres
https://bugs.python.org/issue27494  reopened by serhiy.storchaka

#31963: AMD64 Debian PGO 3.x buildbot: compilation failed with an inte
https://bugs.python.org/issue31963  reopened by vstinner

#32004: Allow specifying code packing order in audioop adpcm functions
https://bugs.python.org/issue32004  opened by MosesofEgypt

#32005: multiprocessing.Array misleading error message in slice assign
https://bugs.python.org/issue32005  opened by steven.daprano

#32006: multiprocessing.Array 'c' code is not documented
https://bugs.python.org/issue32006  opened by steven.daprano

#32007: nis module fails to build against glibc-2.26
https://bugs.python.org/issue32007  opened by floppymaster

#32008: Example suggest to use a TLSv1 socket
https://bugs.python.org/issue32008  opened by kroeckx

#32014: multiprocessing Server's shutdown method useless send message 
https://bugs.python.org/issue32014  opened by stevezh

#32016: Python 3.6.3 venv FAILURE
https://bugs.python.org/issue32016  opened by nihon2000

#32017: profile.Profile() has no method enable()
https://bugs.python.org/issue32017  opened by pitrou

#32019: Interactive shell doesn't work with readline bracketed paste
https://bugs.python.org/issue32019  opened by Aaron.Meurer

#32021: Brotli encoding is not recognized by mimetypes
https://bugs.python.org/issue32021  opened by Andrey

#32022: Python problem - == RESTART: Shell =
https://bugs.python.org/issue32022  opened by shamon51

#32024: Nominal decorator function call syntax is inconsistent with re
https://bugs.python.org/issue32024  opened by ncoghlan

#32025: Add time.thread_time()
https://bugs.python.org/issue32025  opened by pitrou

#32026: Memory leaks in Python on Windows
https://bugs.python.org/issue32026  opened by pjna

#32028: Syntactically wrong suggestions by the new custom print statem
https://bugs.python.org/issue32028  opened by mdraw

#32030: PEP 432: Rewrite Py_Main()
https://bugs.python.org/issue32030  opened by vstinner

#32031: Do not use the canonical path in pydoc test_mixed_case_module_
https://bugs.python.org/issue32031  opened by xdegaye

#32033: The pwd module implementation incorrectly sets some attributes
https://bugs.python.org/issue32033  opened by xdegaye

#32035: Documentation of zipfile.ZipFile().writestr() fails to mention
https://bugs.python.org/issue32035  opened by Daniel5148

#32038: Add API to intercept socket.close()
https://bugs.python.org/issue32038  opened by yselivanov

#32039: timeit documentation should describe caveats
https://bugs.python.org/issue32039  opened by barry

#32041: Cannot cast '\0' to c_void_p
https://bugs.python.org/issue32041  opened by Ilya.Kulakov

#32042: Option for comparing values instead of reprs in doctest
https://bugs.python.org/issue32042  opened by Tomáš Petříček

#32043: Add a new -X dev option: "developer mode"
https://bugs.python.org/issue32043  opened by vstinner

#32045: Does json.dumps have a memory leak?
https://bugs.python.org/issue32045  opened by rohandsa

#32046: 2to3 fix for operator.isCallable()
https://bugs.python.org/issue32046  opened by serhiy.storchaka

#32047: asyncio: enable debug mode when -X dev is used
https://bugs.python.org/issue32047  opened by vstinner

#32049: 2.7.14 does not uninstall cleanly if installation was run as S
https://bugs.python.org/issue32049  opened by niemalsnever

#32050: Deprecated python3 -x option
https://bugs.python.org/issue32050  opened by vstinner

#32051: Possible issue in multiprocessing doc
https://bugs.python.org/issue32051  opened by 1a1a11a

#32052: Provide access to buffer of asyncio.StreamReader
https://bugs.python.org/issue32052  opened by Bruce Merry

#32054: Creating RPM on Python 2 works, but Python 3 fails because of 
https://bugs.python.org/issue32054  opened by pgacv2

#32055: Reconsider comparison chaining for containment tests
https://bugs.python.org/issue32055  opened by ncoghlan

#32056: bug in Lib/wave.py
https://bugs.python.org/issue32056  opened by BT123

#32059: detect_modules() in setup.py must also search the sysroot path
https://bugs.python.org/issue32059  opened by xdegaye

#32060: Should an ABC fail if no abstract methods are defined?
https://bugs.python.org/issue32060  opened by Alex Corcoles

#32063: test_multiprocessing_forkserver failed with OSError: [Errno 48
https://bugs.python.org/issue32063  opened by vstinner



Most recent 15 issues with no replies (15)
==

#32063: test_multiprocessing_forkserver failed with OSError: [Errno 48
https://bu

[Python-Dev] Summary of Python tracker Issues

2017-11-24 Thread Python tracker

ACTIVITY SUMMARY (2017-11-17 - 2017-11-24)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6267 ( +6)
  closed 37610 (+57)
  total  43877 (+63)

Open issues with patches: 2416 


Issues opened (45)
==

#32067: Deprecate accepting unrecognized braces in regular expressions
https://bugs.python.org/issue32067  opened by serhiy.storchaka

#32068: textpad from curses package isn't handling backspace key
https://bugs.python.org/issue32068  opened by bacher09

#32070: Clarify the behavior of the staticmethod builtin
https://bugs.python.org/issue32070  opened by haikuginger

#32071: Add py.test-like "-k" test selection to unittest
https://bugs.python.org/issue32071  opened by jonash

#32072: Issues with binary plists
https://bugs.python.org/issue32072  opened by serhiy.storchaka

#32073: Add copy_directory_metadata parameter to shutil.copytree
https://bugs.python.org/issue32073  opened by desbma

#32075: Expose ZipImporter Type Object in the include header files.
https://bugs.python.org/issue32075  opened by Decorater

#32076: Expose LockFile on Windows
https://bugs.python.org/issue32076  opened by pitrou

#32077: Documentation: Some Unicode object functions don't indicate wh
https://bugs.python.org/issue32077  opened by Mathew M.

#32079: version install 3.6.3 hangs in test_socket
https://bugs.python.org/issue32079  opened by Raúl Alvarez

#32080: Error Installing Python 3.6.3 on ubuntu 16.04
https://bugs.python.org/issue32080  opened by sachin

#32081: ipaddress should support fast IP lookups
https://bugs.python.org/issue32081  opened by Attila Nagy

#32082: atexit module: allow getting/setting list of handlers directly
https://bugs.python.org/issue32082  opened by erik.bray

#32083: sqlite3 Cursor.description can't return column types
https://bugs.python.org/issue32083  opened by kyoshidajp

#32084: [Security] http.server can be abused to redirect to (almost) a
https://bugs.python.org/issue32084  opened by vstinner

#32085: [Security] A New Era of SSRF - Exploiting URL Parser in Trendi
https://bugs.python.org/issue32085  opened by vstinner

#32087: deprecated-removed directive generates overlapping msgids in .
https://bugs.python.org/issue32087  opened by cocoatomo

#32089: In developer mode (-X dev), ResourceWarning is only emited onc
https://bugs.python.org/issue32089  opened by vstinner

#32090: test_put() of test_multiprocessing queue tests has a race cond
https://bugs.python.org/issue32090  opened by vstinner

#32091: test_s_option() of test_site.HelperFunctionsTests failed on x8
https://bugs.python.org/issue32091  opened by vstinner

#32092: mock.patch with autospec does not consume self / cls argument
https://bugs.python.org/issue32092  opened by cbelu

#32093: macOS: implement time.thread_time() using thread_info()
https://bugs.python.org/issue32093  opened by vstinner

#32096: Py_DecodeLocale() fails if used before the runtime is initiali
https://bugs.python.org/issue32096  opened by eric.snow

#32097: doctest does not consider \r\n a 
https://bugs.python.org/issue32097  opened by X-Istence

#32098: Hardcoded value in Lib/test/test_os.py:L1324:URandomTests.get_
https://bugs.python.org/issue32098  opened by hackan

#32101: Add PYTHONDEVMODE=1 to enable the developer mode
https://bugs.python.org/issue32101  opened by vstinner

#32102: Add "capture_output=True" option to subprocess.run
https://bugs.python.org/issue32102  opened by ncoghlan

#32104: add method throw() to asyncio.Task
https://bugs.python.org/issue32104  opened by Oleg K2

#32107: test_uuid uses the incorrect bitmask
https://bugs.python.org/issue32107  opened by barry

#32108: configparser bug: section is emptied if you assign a section t
https://bugs.python.org/issue32108  opened by simonltwick

#32110: Make codecs.StreamReader.read() more compatible with read() of
https://bugs.python.org/issue32110  opened by serhiy.storchaka

#32112: Should uuid.UUID() accept another UUID() instance?
https://bugs.python.org/issue32112  opened by mjpieters

#32113: Strange behavior with await in a generator expression
https://bugs.python.org/issue32113  opened by levkivskyi

#32114: The get_event_loop change in bpo28613 did not update the docum
https://bugs.python.org/issue32114  opened by r.david.murray

#32115: Ignored SIGCHLD causes asyncio.Process.wait to hang forever
https://bugs.python.org/issue32115  opened by rogpeppe

#32116: CSV import and export simplified
https://bugs.python.org/issue32116  opened by paullongnet

#32117: Tuple unpacking in return and yield statements
https://bugs.python.org/issue32117  opened by dacut

#32118: Docs: add note about sequence comparisons containing non-order
https://bugs.python.org/issue32118  opened by Dubslow

#32119: test_notify_all() of test_multiprocessing_forkserver failed on
https://bugs.python.org/iss

[Python-Dev] Summary of Python tracker Issues

2017-12-01 Thread Python tracker

ACTIVITY SUMMARY (2017-11-24 - 2017-12-01)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6281 (+14)
  closed 37665 (+55)
  total  43946 (+69)

Open issues with patches: 2414 


Issues opened (42)
==

#26856: android does not have pwd.getpwall()
https://bugs.python.org/issue26856  reopened by xdegaye

#30487: DOC: automatically create a venv and install Sphinx when runni
https://bugs.python.org/issue30487  reopened by ned.deily

#30657: [security] CVE-2017-1000158: Unsafe arithmetic in PyString_Dec
https://bugs.python.org/issue30657  reopened by vstinner

#32128: test_nntplib: test_article_head_body() fails in SSL mode
https://bugs.python.org/issue32128  opened by vstinner

#32129: Icon on macOS
https://bugs.python.org/issue32129  opened by wordtech

#32130: xml.sax parser validation sometimes fails when obtaining DTDs 
https://bugs.python.org/issue32130  opened by failys

#32131: Missing encoding parameter in urllib/parse.py
https://bugs.python.org/issue32131  opened by jmbc

#32133: documentation: numbers module nitpick
https://bugs.python.org/issue32133  opened by abcdef

#32137: Stack overflow in repr of deeply nested dicts
https://bugs.python.org/issue32137  opened by serhiy.storchaka

#32140: IDLE debugger fails with non-trivial __new__ super call
https://bugs.python.org/issue32140  opened by Camion

#32141: configure with Spaces in Directory Name on macOS
https://bugs.python.org/issue32141  opened by philthompson10

#32142: heapq.heappop - documentation misleading or doesn't work
https://bugs.python.org/issue32142  opened by scooter4j

#32143: os.statvfs lacks f_fsid
https://bugs.python.org/issue32143  opened by gscrivano

#32145: Wrong ExitStack Callback recipe
https://bugs.python.org/issue32145  opened by Denaun

#32146: multiprocessing freeze_support needed outside win32
https://bugs.python.org/issue32146  opened by dancol

#32147: improve performance of binascii.unhexlify() by using conversio
https://bugs.python.org/issue32147  opened by sir-sigurd

#32152: Add pid to .cover filename in lib/trace.py
https://bugs.python.org/issue32152  opened by nikhilh

#32153: mock.create_autospec fails if an attribute is a partial functi
https://bugs.python.org/issue32153  opened by cbelu

#32156: Fix flake8 warning F401: ... imported but unused
https://bugs.python.org/issue32156  opened by vstinner

#32160: lzma documentation: example to XZ compress file on disk
https://bugs.python.org/issue32160  opened by dhimmel

#32162: typing.Generic breaks __init_subclass__
https://bugs.python.org/issue32162  opened by Ilya.Kulakov

#32165: PyEval_InitThreads is called before Py_Initialize in LoadPytho
https://bugs.python.org/issue32165  opened by mrkn

#32170: Contrary to documentation, ZipFile.extract does not extract ti
https://bugs.python.org/issue32170  opened by Malcolm Smith

#32173: linecache.py add lazycache to __all__ and use dict.clear to cl
https://bugs.python.org/issue32173  opened by ganziqim

#32174: nonASCII punctuation characters can not display in python363.c
https://bugs.python.org/issue32174  opened by zaazbb

#32175: Add hash auto-randomization
https://bugs.python.org/issue32175  opened by bjarvis

#32176: Zero argument super is broken in 3.6 for methods with a hacked
https://bugs.python.org/issue32176  opened by bup

#32177: spammers mine emails from bugs.python.org
https://bugs.python.org/issue32177  opened by joern

#32178: Some invalid email address groups cause an IndexError instead 
https://bugs.python.org/issue32178  opened by mtorromeo

#32179: Empty email address in headers triggers an IndexError
https://bugs.python.org/issue32179  opened by mtorromeo

#32180: bool() vs len() > 0 on lists
https://bugs.python.org/issue32180  opened by dilyan.palauzov

#32181: runaway Tasks with Task.cancel() ignored.
https://bugs.python.org/issue32181  opened by Oleg K2

#32182: Infinite recursion in email.message.as_string()
https://bugs.python.org/issue32182  opened by Silla Rizzoli

#32183: Coverity: CID 1423264:  Insecure data handling  (TAINTED_SCALA
https://bugs.python.org/issue32183  opened by vstinner

#32185: SSLContext.wrap_socket sends SNI Extension when server_hostnam
https://bugs.python.org/issue32185  opened by nitzmahone

#32186: io.FileIO hang all threads if fstat blocks on inaccessible NFS
https://bugs.python.org/issue32186  opened by nirs

#32188: ImpImporter.find_modules removes symlinks in paths
https://bugs.python.org/issue32188  opened by Henk-Jaap Wagenaar

#32189: SyntaxError for yield expressions inside comprehensions & gene
https://bugs.python.org/issue32189  opened by ncoghlan

#32190: Separate out legacy introspection APIs in the inspect docs
https://bugs.python.org/issue32190  opened by ncoghlan

#32192: Provide importlib.util.lazy_import helper function
https://bugs.python.org/issue32192  opened by ncoghlan

#32

[Python-Dev] Summary of Python tracker Issues

2017-12-08 Thread Python tracker

ACTIVITY SUMMARY (2017-12-01 - 2017-12-08)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6315 (+34)
  closed 37691 (+26)
  total  44006 (+60)

Open issues with patches: 2434 


Issues opened (49)
==

#20891: PyGILState_Ensure on non-Python thread causes fatal error
https://bugs.python.org/issue20891  reopened by vstinner

#30213: ZipFile from 'a'ppend-mode file generates invalid zip
https://bugs.python.org/issue30213  reopened by serhiy.storchaka

#32107: Improve MAC address calculation and fix test_uuid.py
https://bugs.python.org/issue32107  reopened by xdegaye

#32196: Rewrite plistlib with functional style
https://bugs.python.org/issue32196  opened by serhiy.storchaka

#32198: \b reports false-positives in Indic strings involving combinin
https://bugs.python.org/issue32198  opened by jamadagni

#32202: [ctypes] all long double tests fail on android-24-x86_64
https://bugs.python.org/issue32202  opened by xdegaye

#32203: [ctypes] test_struct_by_value fails on android-24-arm64
https://bugs.python.org/issue32203  opened by xdegaye

#32206: Run modules with pdb
https://bugs.python.org/issue32206  opened by mariocj89

#32208: Improve semaphore documentation
https://bugs.python.org/issue32208  opened by Garrett Berg

#32209: Crash in set_traverse Within the Garbage Collector's collect_g
https://bugs.python.org/issue32209  opened by connorwfitzgerald

#32210: Add platform.android_ver()  to test.pythoninfo for Android pla
https://bugs.python.org/issue32210  opened by xdegaye

#32211: Document the bug in re.findall() and re.finditer() in 2.7 and 
https://bugs.python.org/issue32211  opened by serhiy.storchaka

#32212: few discrepancy between source and docs in logging
https://bugs.python.org/issue32212  opened by Michal Plichta

#32215: sqlite3 400x-600x slower depending on formatting of an UPDATE 
https://bugs.python.org/issue32215  opened by bforst

#32216: Document PEP 557 Data Classes
https://bugs.python.org/issue32216  opened by eric.smith

#32217: freeze.py fails to work.
https://bugs.python.org/issue32217  opened by Decorater

#32218: add __iter__ to enum.Flag members
https://bugs.python.org/issue32218  opened by Guy Gangemi

#32219: SSLWantWriteError being raised by blocking SSL socket
https://bugs.python.org/issue32219  opened by njs

#32220: multiprocessing: passing file descriptor using reduction break
https://bugs.python.org/issue32220  opened by frickenate

#32221: Converting ipv6 address to string representation using getname
https://bugs.python.org/issue32221  opened by socketpair

#3: pygettext doesn't extract docstrings for functions with type a
https://bugs.python.org/issue3  opened by Tobotimus

#32223: distutils doesn't correctly read UTF-8 content from config fil
https://bugs.python.org/issue32223  opened by delivrance

#32224: socket.create_connection needs to support full IPv6 argument
https://bugs.python.org/issue32224  opened by Matthew Stoltenberg

#32225: Implement PEP 562: module __getattr__ and __dir__
https://bugs.python.org/issue32225  opened by levkivskyi

#32226: Implement PEP 560: Core support for typing module and generic 
https://bugs.python.org/issue32226  opened by levkivskyi

#32227: singledispatch support for type annotations
https://bugs.python.org/issue32227  opened by lukasz.langa

#32228: truncate() changes current stream position
https://bugs.python.org/issue32228  opened by andreymal

#32229: Simplify hiding developer warnings in user facing applications
https://bugs.python.org/issue32229  opened by ncoghlan

#32230: -X dev doesn't set sys.warnoptions
https://bugs.python.org/issue32230  opened by ncoghlan

#32231: -bb option should override -W options
https://bugs.python.org/issue32231  opened by ncoghlan

#32232: building extensions as builtins is broken in 3.7
https://bugs.python.org/issue32232  opened by doko

#32234: Add context management to mailbox.Mailbox
https://bugs.python.org/issue32234  opened by sblondon

#32235: test_xml_etree test_xml_etree_c failures with 2.7 and 3.6 bran
https://bugs.python.org/issue32235  opened by doko

#32236: open() shouldn't silently ignore buffering=1 in binary mode
https://bugs.python.org/issue32236  opened by izbyshev

#32237: test_xml_etree leaked [1, 1, 1] references, sum=3
https://bugs.python.org/issue32237  opened by vstinner

#32238: Handle "POSIX" in the legacy locale detection
https://bugs.python.org/issue32238  opened by ncoghlan

#32240: Add the const qualifier for PyObject* array arguments
https://bugs.python.org/issue32240  opened by serhiy.storchaka

#32241: Add the const qualifier for char and wchar_t pointers to unmod
https://bugs.python.org/issue32241  opened by serhiy.storchaka

#32243: Tests that set aggressive switch interval hang in Cygwin on a 
https://bugs.python.org/issue32243 

[Python-Dev] Summary of Python tracker Issues

2017-12-15 Thread Python tracker

ACTIVITY SUMMARY (2017-12-08 - 2017-12-15)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6330 (+15)
  closed 37755 (+64)
  total  44085 (+79)

Open issues with patches: 2448 


Issues opened (51)
==

#17852: Built-in module _io can lose data from buffered files at exit
https://bugs.python.org/issue17852  reopened by pitrou

#32256: Make patchcheck.py work for out-of-tree builds
https://bugs.python.org/issue32256  opened by izbyshev

#32257: Support Disabling Renegotiation for SSLContext
https://bugs.python.org/issue32257  opened by chuq

#32259: Misleading "not iterable" Error Message when generator return 
https://bugs.python.org/issue32259  opened by Camion

#32261: Online doc does not include inspect.classify_class_attrs
https://bugs.python.org/issue32261  opened by csabella

#32263: Template string docs refer to "normal %-based substitutions"
https://bugs.python.org/issue32263  opened by v+python

#32266: test_pathlib fails if current path has junctions
https://bugs.python.org/issue32266  opened by Ivan.Pozdeev

#32267: strptime misparses offsets with microsecond format
https://bugs.python.org/issue32267  opened by mariocj89

#32270: subprocess closes redirected fds even if they are in pass_fds
https://bugs.python.org/issue32270  opened by izbyshev

#32275: SSL socket methods don't retry on EINTR?
https://bugs.python.org/issue32275  opened by pitrou

#32276: there is no way to make tempfile reproducible (i.e. seed the u
https://bugs.python.org/issue32276  opened by Yaroslav.Halchenko

#32278: Allow dataclasses.make_dataclass() to omit type information
https://bugs.python.org/issue32278  opened by eric.smith

#32279: Pass keyword arguments from dataclasses.make_dataclass() to @d
https://bugs.python.org/issue32279  opened by eric.smith

#32280: Expose `_PyRuntime` through a section name
https://bugs.python.org/issue32280  opened by Maxime Belanger

#32281: bdist_rpm v.s. the Macintosh
https://bugs.python.org/issue32281  opened by bhyde

#32282: When using a Windows XP compatible toolset, `socketmodule.c` f
https://bugs.python.org/issue32282  opened by Maxime Belanger

#32283: Cmd.onecmd documentation is misleading
https://bugs.python.org/issue32283  opened by lyda

#32285: In `unicodedata`, it should be possible to check a unistr's no
https://bugs.python.org/issue32285  opened by Maxime Belanger

#32287: Import of _pyio module failed on cygwin
https://bugs.python.org/issue32287  opened by Matúš Valo

#32288: Inconsistent behavior with slice assignment?
https://bugs.python.org/issue32288  opened by Massimiliano Culpo

#32289: Glossary does not define "extended slicing"
https://bugs.python.org/issue32289  opened by steven.daprano

#32290: bolen-dmg-3.6: compilation failed with OSError: [Errno 23] Too
https://bugs.python.org/issue32290  opened by vstinner

#32291: Value error for string shared memory in multiprocessing
https://bugs.python.org/issue32291  opened by magu

#32295: User friendly message when invoking bdist_wheel sans wheel pac
https://bugs.python.org/issue32295  opened by EWDurbin

#32296: Implement asyncio._get_running_loop() and get_event_loop() in 
https://bugs.python.org/issue32296  opened by yselivanov

#32299: unittest.mock.patch.dict.__enter__ should return the dict
https://bugs.python.org/issue32299  opened by Allen Li

#32300: print(os.environ.keys()) should only print the keys
https://bugs.python.org/issue32300  opened by Aaron.Meurer

#32303: Namespace packages have inconsistent __loader__ and __spec__.l
https://bugs.python.org/issue32303  opened by barry

#32304: Upload failed (400): Digests do not match on .tar.gz ending wi
https://bugs.python.org/issue32304  opened by llecaroz

#32305: Namespace packages have inconsistent __file__ and __spec__.ori
https://bugs.python.org/issue32305  opened by barry

#32306: Clarify map API in concurrent.futures
https://bugs.python.org/issue32306  opened by David Lukeš

#32307: Bad assumption on thread stack size makes python crash with mu
https://bugs.python.org/issue32307  opened by Natanael Copa

#32308: Replace empty matches adjacent to a previous non-empty match i
https://bugs.python.org/issue32308  opened by serhiy.storchaka

#32309: Implement asyncio.run_in_executor shortcut
https://bugs.python.org/issue32309  opened by asvetlov

#32310: Remove _Py_PyAtExit from Python.h
https://bugs.python.org/issue32310  opened by nascheme

#32312: Create Py_AtExitRegister C API
https://bugs.python.org/issue32312  opened by nascheme

#32313: Wrong inspect.getsource for datetime
https://bugs.python.org/issue32313  opened by Aaron.Meurer

#32315: can't run any scripts with 2.7.x, 32 and 64-bit
https://bugs.python.org/issue32315  opened by DoctorEvil

#32317: sys.exc_clear() clears exception in other stack frames
https://bugs.python.org/issue32317  op

[Python-Dev] Summary of Python tracker Issues

2017-12-22 Thread Python tracker

ACTIVITY SUMMARY (2017-12-15 - 2017-12-22)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6342 (+12)
  closed 37819 (+64)
  total  44161 (+76)

Open issues with patches: 2456 


Issues opened (52)
==

#30697: segfault in PyErr_NormalizeException() after memory exhaustion
https://bugs.python.org/issue30697  reopened by brett.cannon

#32335: Failed Python build on Fedora 27
https://bugs.python.org/issue32335  opened by amitg-b14

#32336: Save OrderedDict import in argparse
https://bugs.python.org/issue32336  opened by rhettinger

#32337: Dict order is now guaranteed, so add tests and doc for it
https://bugs.python.org/issue32337  opened by rhettinger

#32338: Save OrderedDict import in re
https://bugs.python.org/issue32338  opened by serhiy.storchaka

#32339: Make the dict type used in csv.DictReader configurable
https://bugs.python.org/issue32339  opened by serhiy.storchaka

#32343: Leak Sanitizer reports memory leaks while building using ASAN
https://bugs.python.org/issue32343  opened by kirit1193

#32345: EIO from write() is only fatal if print() contains a newline
https://bugs.python.org/issue32345  opened by Creideiki

#32346: Speed up slot lookup for class creation
https://bugs.python.org/issue32346  opened by pitrou

#32347: System Integrity Protection breaks shutil.copystat()
https://bugs.python.org/issue32347  opened by Ryan Govostes

#32352: `inspect.getfullargspec` doesn't work fine for some builtin ca
https://bugs.python.org/issue32352  opened by thautwarm

#32353: Add docs about Embedding with an frozen module limitation.
https://bugs.python.org/issue32353  opened by Decorater

#32354: Unclear intention of deprecating Py_UNICODE_TOLOWER / Py_UNICO
https://bugs.python.org/issue32354  opened by ideasman42

#32358: json.dump: fp must be a text file object
https://bugs.python.org/issue32358  opened by qingyunha

#32359: Add getters for all SSLContext internal configuration
https://bugs.python.org/issue32359  opened by njs

#32360: Save OrderedDict imports in various stdlibs.
https://bugs.python.org/issue32360  opened by inada.naoki

#32361: global / nonlocal interference : is this a bug, a feature or a
https://bugs.python.org/issue32361  opened by Camion

#32362: multiprocessing.connection.Connection misdocumented as multipr
https://bugs.python.org/issue32362  opened by Amery

#32363: Deprecate task.set_result() and task.set_exception()
https://bugs.python.org/issue32363  opened by asvetlov

#32364: Add AbstractFuture and AbstractTask
https://bugs.python.org/issue32364  opened by asvetlov

#32367: [Security] CVE-2017-17522: webbrowser.py in Python does not va
https://bugs.python.org/issue32367  opened by vstinner

#32368: Segfault when compiling many conditional expressions
https://bugs.python.org/issue32368  opened by snordhausen

#32370: Wrong ANSI encoding used by subprocess for some locales
https://bugs.python.org/issue32370  opened by Segev Finer

#32371: Delay-loading of python dll is impossible when using some C ma
https://bugs.python.org/issue32371  opened by Pierre Chatelier

#32372: Optimize out __debug__ at the AST level
https://bugs.python.org/issue32372  opened by serhiy.storchaka

#32373: Add socket.getblocking() method
https://bugs.python.org/issue32373  opened by yselivanov

#32374: Document that m_traverse for multi-phase initialized modules c
https://bugs.python.org/issue32374  opened by encukou

#32375: Compilation warnings in getpath.c with gcc on Ubuntu / -D_FORT
https://bugs.python.org/issue32375  opened by pitrou

#32378: test_npn_protocols broken with LibreSSL 2.6.1+
https://bugs.python.org/issue32378  opened by christian.heimes

#32380: functools.singledispatch interacts poorly with methods
https://bugs.python.org/issue32380  opened by Ethan Smith

#32381: Python 3.6 cannot reopen .pyc file with non-ASCII path
https://bugs.python.org/issue32381  opened by tianjg

#32384: Generator tests is broken in non-CPython implementation
https://bugs.python.org/issue32384  opened by isaiahp

#32387: Disallow untagged C extension import on major platforms
https://bugs.python.org/issue32387  opened by pitrou

#32388: Remove cross-version binary compatibility
https://bugs.python.org/issue32388  opened by pitrou

#32390: AIX (xlc_r) compile error with Modules/posixmodule.c: Function
https://bugs.python.org/issue32390  opened by Michael.Felt

#32391: Add StreamWriter.wait_closed()
https://bugs.python.org/issue32391  opened by asvetlov

#32392: subprocess.run documentation does not have **kwargs
https://bugs.python.org/issue32392  opened by oprypin

#32393: nav menu jitter in old documentation
https://bugs.python.org/issue32393  opened by Joseph Hendrey

#32394: socket lib beahavior change in 3.6.4
https://bugs.python.org/issue32394  opened by skn78

#32395: asyncio.StreamReader.readuntil is not general enough
https://bugs.pytho

[Python-Dev] Summary of Python tracker Issues

2017-12-29 Thread Python tracker

ACTIVITY SUMMARY (2017-12-22 - 2017-12-29)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6355 (+13)
  closed 37843 (+24)
  total  44198 (+37)

Open issues with patches: 2472 


Issues opened (31)
==

#30722: Tools/demo/redemo.py broken
https://bugs.python.org/issue30722  reopened by serhiy.storchaka

#32411: Idlelib.browser: stop sorting dicts created by pyclbr
https://bugs.python.org/issue32411  opened by terry.reedy

#32412: help() of bitwise operators should mention sets as well
https://bugs.python.org/issue32412  opened by steven.daprano

#32413: Document that locals() may return globals()
https://bugs.python.org/issue32413  opened by steven.daprano

#32414: PyCapsule_Import fails when name is in the form 'package.modul
https://bugs.python.org/issue32414  opened by lekma

#32417: fromutc does not respect datetime subclasses
https://bugs.python.org/issue32417  opened by p-ganssle

#32418: Implement Server.get_loop() method
https://bugs.python.org/issue32418  opened by asvetlov

#32419: Add unittest support for pyc projects
https://bugs.python.org/issue32419  opened by brgirgis

#32420: LookupError : unknown encoding : [0x7FF092395AD0] ANOMALY
https://bugs.python.org/issue32420  opened by Kitamura

#32421: Keeping an exception in cache can segfault the interpreter
https://bugs.python.org/issue32421  opened by zunger

#32423: The Windows SDK version 10.0.15063.0 was not found
https://bugs.python.org/issue32423  opened by isuruf

#32424: Synchronize copy methods between Python and C implementations 
https://bugs.python.org/issue32424  opened by gphemsley

#32425: Allow non-default XML parsers to take advantage of a _parse_wh
https://bugs.python.org/issue32425  opened by gphemsley

#32426: Tkinter.ttk Widget does not define wich option exists to set t
https://bugs.python.org/issue32426  opened by alex.75

#32427: Rename and expose dataclasses._MISSING
https://bugs.python.org/issue32427  opened by eric.smith

#32428: dataclasses: make it an error to have initialized non-fields i
https://bugs.python.org/issue32428  opened by eric.smith

#32429: Outdated Modules/Setup warning is invisible
https://bugs.python.org/issue32429  opened by mdk

#32430: Simplify Modules/Setup{,.dist,.local}
https://bugs.python.org/issue32430  opened by mdk

#32431: Two bytes objects of zero length don't compare equal
https://bugs.python.org/issue32431  opened by jonathanunderwood

#32433: Provide optimized HMAC digest
https://bugs.python.org/issue32433  opened by christian.heimes

#32434: pathlib.WindowsPath.reslove(strict=False) returns absoulte pat
https://bugs.python.org/issue32434  opened by mliska

#32435: tarfile recognizes .gz file as tar
https://bugs.python.org/issue32435  opened by spetrunin

#32436: Implement PEP 567
https://bugs.python.org/issue32436  opened by yselivanov

#32438: PyLong_ API cleanup
https://bugs.python.org/issue32438  opened by erik.bray

#32439: Clean up the code for compiling comparison expressions
https://bugs.python.org/issue32439  opened by serhiy.storchaka

#32441: os.dup2 should return the new fd
https://bugs.python.org/issue32441  opened by benjamin.peterson

#32443: Add Linux's signalfd() to the signal module
https://bugs.python.org/issue32443  opened by gregory.p.smith

#32444: python -m venv symlink dependency on how python binary is call
https://bugs.python.org/issue32444  opened by seliger

#32445: Skip creating redundant wrapper functions in ExitStack.callbac
https://bugs.python.org/issue32445  opened by ncoghlan

#32446: ResourceLoader.get_data() should accept a PathLike
https://bugs.python.org/issue32446  opened by barry

#32447: IDLE shell won't open on Mac OS 10.13.1
https://bugs.python.org/issue32447  opened by sm1979



Most recent 15 issues with no replies (15)
==

#32447: IDLE shell won't open on Mac OS 10.13.1
https://bugs.python.org/issue32447

#32446: ResourceLoader.get_data() should accept a PathLike
https://bugs.python.org/issue32446

#32445: Skip creating redundant wrapper functions in ExitStack.callbac
https://bugs.python.org/issue32445

#32441: os.dup2 should return the new fd
https://bugs.python.org/issue32441

#32439: Clean up the code for compiling comparison expressions
https://bugs.python.org/issue32439

#32436: Implement PEP 567
https://bugs.python.org/issue32436

#32433: Provide optimized HMAC digest
https://bugs.python.org/issue32433

#32427: Rename and expose dataclasses._MISSING
https://bugs.python.org/issue32427

#32426: Tkinter.ttk Widget does not define wich option exists to set t
https://bugs.python.org/issue32426

#32423: The Windows SDK version 10.0.15063.0 was not found
https://bugs.python.org/issue32423

#32418: Implement Server.get_loop() method
https://bugs.python.org/issue32418

#32410: Implement loop.sock_sendfile method
https://b

[Python-Dev] Summary of Python tracker Issues

2018-01-05 Thread Python tracker

ACTIVITY SUMMARY (2017-12-29 - 2018-01-05)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6377 (+22)
  closed 37871 (+28)
  total  44248 (+50)

Open issues with patches: 2479 


Issues opened (37)
==

#15982: asyncore.dispatcher does not handle windows socket error code 
https://bugs.python.org/issue15982  reopened by vstinner

#32448: subscriptable
https://bugs.python.org/issue32448  opened by thehesiod

#32449: MappingView must inherit from Collection instead of Sized
https://bugs.python.org/issue32449  opened by yahya-abou-imran

#32450: non-descriptive variable name
https://bugs.python.org/issue32450  opened by Yuri Kanivetsky

#32451: python -m venv activation issue when using cygwin on windows
https://bugs.python.org/issue32451  opened by Kevin

#32453: shutil.rmtree can have O(n^2) performance on large dirs
https://bugs.python.org/issue32453  opened by nh2

#32454: Add socket.close(fd) function
https://bugs.python.org/issue32454  opened by christian.heimes

#32455: PyCompile_OpcodeStackEffect() and dis.stack_effect() are not p
https://bugs.python.org/issue32455  opened by serhiy.storchaka

#32456: PYTHONIOENCODING=undefined doesn't work in Python 3
https://bugs.python.org/issue32456  opened by serhiy.storchaka

#32457: Windows Python cannot handle an early PATH entry containing ".
https://bugs.python.org/issue32457  opened by Ray Donnelly

#32458: test_asyncio failures on Windows
https://bugs.python.org/issue32458  opened by pitrou

#32459: Capsule API usage docs are incompatible with module reloading 
https://bugs.python.org/issue32459  opened by ncoghlan

#32461: the first build after a change to Makefile.pre.in uses the old
https://bugs.python.org/issue32461  opened by xdegaye

#32462: mimetypes.guess_type() returns incorrectly formatted type
https://bugs.python.org/issue32462  opened by csabella

#32463: problems with shutil.py and os.get_terminal_size
https://bugs.python.org/issue32463  opened by Dhruve

#32464: raise NotImplemented vs return NotImplemented
https://bugs.python.org/issue32464  opened by thatiparthy

#32465: [urllib] proxy_bypass_registry - extra error handling required
https://bugs.python.org/issue32465  opened by chansol kim

#32466: Fix missing test coverage for fractions.Fraction.__new__
https://bugs.python.org/issue32466  opened by gphemsley

#32467: dict_values isn't considered a Collection nor a Container
https://bugs.python.org/issue32467  opened by yahya-abou-imran

#32469: Generator and coroutine repr could be more helpful
https://bugs.python.org/issue32469  opened by pitrou

#32471: Add an UML class diagram to the collections.abc module documen
https://bugs.python.org/issue32471  opened by yahya-abou-imran

#32473: Readibility of ABCMeta._dump_registry()
https://bugs.python.org/issue32473  opened by yahya-abou-imran

#32475: Add ability to query number of buffered bytes available on buf
https://bugs.python.org/issue32475  opened by kata198

#32476: Add concat functionality to ElementTree xpath find
https://bugs.python.org/issue32476  opened by jjolly

#32477: Move jumps optimization from the peepholer to the compiler
https://bugs.python.org/issue32477  opened by serhiy.storchaka

#32479: inconsistent ImportError message executing same import stateme
https://bugs.python.org/issue32479  opened by xiang.zhang

#32485: Multiprocessing dict sharing between forked processes
https://bugs.python.org/issue32485  opened by André Neto

#32486: tail optimization for 'yield from'
https://bugs.python.org/issue32486  opened by Robert Smart

#32489: Allow 'continue' in 'finally' clause
https://bugs.python.org/issue32489  opened by serhiy.storchaka

#32490: subprocess: duplicate filename in exception message
https://bugs.python.org/issue32490  opened by jwilk

#32491: base64.decode: linebreaks are not ignored
https://bugs.python.org/issue32491  opened by gregory.p.smith

#32492: C Fast path for namedtuple's property/itemgetter pair
https://bugs.python.org/issue32492  opened by rhettinger

#32493: UUID Module - FreeBSD build failure
https://bugs.python.org/issue32493  opened by David Carlier

#32494: interface to gdbm_count
https://bugs.python.org/issue32494  opened by sam-s

#32495: Adding Timer to multiprocessing
https://bugs.python.org/issue32495  opened by jcrotts

#32496: lib2to3 fails to parse a ** of a conditional expression
https://bugs.python.org/issue32496  opened by gregory.p.smith

#32497: datetime.strptime creates tz naive object from value containin
https://bugs.python.org/issue32497  opened by akeeman



Most recent 15 issues with no replies (15)
==

#32496: lib2to3 fails to parse a ** of a conditional expression
https://bugs.python.org/issue32496

#32494: interface to gdbm_count
https://bugs.python.org/issue32494

#32490: s

[Python-Dev] Summary of Python tracker Issues

2018-01-12 Thread Python tracker

ACTIVITY SUMMARY (2018-01-05 - 2018-01-12)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6369 ( -8)
  closed 37921 (+50)
  total  44290 (+42)

Open issues with patches: 2470 


Issues opened (38)
==

#20104: expose posix_spawn(p)
https://bugs.python.org/issue20104  reopened by gregory.p.smith

#23749: asyncio missing wrap_socket (starttls)
https://bugs.python.org/issue23749  reopened by vstinner

#29137: Fix fpectl-induced ABI breakage
https://bugs.python.org/issue29137  reopened by doko

#31804: multiprocessing calls flush on sys.stdout at exit even if it i
https://bugs.python.org/issue31804  reopened by Pox TheGreat

#31993: pickle.dump allocates unnecessary temporary bytes / str
https://bugs.python.org/issue31993  reopened by serhiy.storchaka

#32206: Run modules with pdb
https://bugs.python.org/issue32206  reopened by ncoghlan

#32498: urllib.parse.unquote raises incorrect errormessage when string
https://bugs.python.org/issue32498  opened by stein-k

#32500: PySequence_Length() raises TypeError on dict type
https://bugs.python.org/issue32500  opened by mgorny

#32501: Documentation for dir([object])
https://bugs.python.org/issue32501  opened by Vladislavs Burakovs

#32502: uuid1() broken on macos high sierra
https://bugs.python.org/issue32502  opened by anpetral

#32503: Avoid creating small frames in pickle protocol 4
https://bugs.python.org/issue32503  opened by serhiy.storchaka

#32505: dataclasses: make field() with no annotation an error
https://bugs.python.org/issue32505  opened by eric.smith

#32506: dataclasses: no need for OrderedDict now that dict guarantees 
https://bugs.python.org/issue32506  opened by eric.smith

#32509: doctest syntax ambiguity between continuation line and ellipsi
https://bugs.python.org/issue32509  opened by jason.coombs

#32511: Thread primitives do not report the OS-level error on failure
https://bugs.python.org/issue32511  opened by zwol

#32512: Add an option to profile to run library module as a script
https://bugs.python.org/issue32512  opened by mariocj89

#32513: dataclasses: make it easier to use user-supplied special metho
https://bugs.python.org/issue32513  opened by eric.smith

#32514: 0x80070002 - The system cannot find the file specified
https://bugs.python.org/issue32514  opened by Beatty0111

#32515: Add an option to trace to run module as a script
https://bugs.python.org/issue32515  opened by mariocj89

#32516: Add a shared library mechanism for win32
https://bugs.python.org/issue32516  opened by xoviat

#32517: test_read_pty_output() of test_asyncio hangs on macOS 10.13.2 
https://bugs.python.org/issue32517  opened by vstinner

#32519: venv API docs - symlinks default incorrect
https://bugs.python.org/issue32519  opened by jason.coombs

#32521: NIS module fails to build due to the removal of interfaces rel
https://bugs.python.org/issue32521  opened by cstratak

#32522: Add precision argument to datetime.now
https://bugs.python.org/issue32522  opened by p-ganssle

#32523: inconsistent spacing in changelog.html
https://bugs.python.org/issue32523  opened by ned.deily

#32524: Python 2.7 leaks a packages __init__.py module object on Synta
https://bugs.python.org/issue32524  opened by Segev Finer

#32526: Closing async generator while it is running does not raise an 
https://bugs.python.org/issue32526  opened by achimnol

#32528: Change base class for futures.CancelledError
https://bugs.python.org/issue32528  opened by socketpair

#32529: Call readinto in shutil.copyfileobj
https://bugs.python.org/issue32529  opened by YoSTEALTH

#32530: How ro fix the chm encoding in Non western european codepage(c
https://bugs.python.org/issue32530  opened by Nim

#32531: gdb.execute can not put string value.
https://bugs.python.org/issue32531  opened by callmekohei

#32532: improve sys.settrace and sys.setprofile documentation
https://bugs.python.org/issue32532  opened by xiang.zhang

#32533: SSLSocket read/write thread-unsafety
https://bugs.python.org/issue32533  opened by Alexey Baldin

#32534: Speed-up list.insert
https://bugs.python.org/issue32534  opened by jeethu

#32536: ast and tokenize disagree about line number
https://bugs.python.org/issue32536  opened by Mark.Shannon

#32537: multiprocessing.pool.Pool.starmap_async - wrong parameter name
https://bugs.python.org/issue32537  opened by devnull

#32538: Multiprocessing Manager on 3D list - no change of the list pos
https://bugs.python.org/issue32538  opened by John_81

#32539: os.listdir(...) on deep path on windows in python2.7 fails wit
https://bugs.python.org/issue32539  opened by Anthony Sottile



Most recent 15 issues with no replies (15)
==

#32539: os.listdir(...) on deep path on windows in python2.7 fails wit
https://bugs.python.org/issue32539

#32538: Multiprocessing Manager on 3D list - no change of the

[Python-Dev] Summary of Python tracker Issues

2018-01-19 Thread Python tracker

ACTIVITY SUMMARY (2018-01-12 - 2018-01-19)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6400 (+31)
  closed 37949 (+28)
  total  44349 (+59)

Open issues with patches: 2489 


Issues opened (46)
==

#32493: UUID Module - FreeBSD build failure
https://bugs.python.org/issue32493  reopened by vstinner

#32540: venv docs - doesn't match behavior
https://bugs.python.org/issue32540  opened by jason.coombs

#32541: cgi.FieldStorage constructor assumes all lines terminate with 
https://bugs.python.org/issue32541  opened by Ian Craggs

#32542: memory not freed, aka memory leak continues...
https://bugs.python.org/issue32542  opened by Michael.Felt

#32545: Unable to install Python 3.7.0a4 on Windows 10 - Error 0x80070
https://bugs.python.org/issue32545  opened by mwr256

#32546: Unusual TypeError with dataclass decorator
https://bugs.python.org/issue32546  opened by rhettinger

#32547: csv.DictWriter emits strange errors if fieldnames is an iterat
https://bugs.python.org/issue32547  opened by bendotc

#32548: IDLE: Add links for email and docs to help_about
https://bugs.python.org/issue32548  opened by csabella

#32549: Travis: Test with OpenSSL 1.1.0
https://bugs.python.org/issue32549  opened by christian.heimes

#32550: STORE_ANNOTATION bytecode is unnecessary and can be removed.
https://bugs.python.org/issue32550  opened by Mark.Shannon

#32551: Zipfile & directory execution in 3.5.4 also adds the parent di
https://bugs.python.org/issue32551  opened by nedbat

#32552: Improve text for file arguments in argparse.ArgumentDefaultsHe
https://bugs.python.org/issue32552  opened by elypter

#32553: venv says to use python3 which does not exist in 3.6.4
https://bugs.python.org/issue32553  opened by Paul Watson

#32554: random.seed(tuple) uses the randomized hash function and so is
https://bugs.python.org/issue32554  opened by johnnyd

#32555: Encoding issues with the locale encoding
https://bugs.python.org/issue32555  opened by vstinner

#32556: support bytes paths in nt _getdiskusage, _getvolumepathname, a
https://bugs.python.org/issue32556  opened by eryksun

#32557: allow shutil.disk_usage to take a file path
https://bugs.python.org/issue32557  opened by eryksun

#32560: inherit the py launcher's STARTUPINFO
https://bugs.python.org/issue32560  opened by eryksun

#32561: Add API to io objects for non-blocking reads/writes
https://bugs.python.org/issue32561  opened by njs

#32562: Support fspath protocol in AF_UNIX sockaddr resolution
https://bugs.python.org/issue32562  opened by njs

#32563: -Werror=declaration-after-statement expat build failure on Pyt
https://bugs.python.org/issue32563  opened by ncoghlan

#32565: Document the version of adding opcodes
https://bugs.python.org/issue32565  opened by serhiy.storchaka

#32566: Not able to open Python IDLE
https://bugs.python.org/issue32566  opened by Kiran

#32567: Venv’s config file (pyvenv.cfg) should be compatible with Co
https://bugs.python.org/issue32567  opened by uranusjr

#32568: Fix handling of sizehint=-1 in select.epoll()
https://bugs.python.org/issue32568  opened by taleinat

#32571: Speed up and clean up getting optional attributes in C code
https://bugs.python.org/issue32571  opened by serhiy.storchaka

#32572: Add the ftplib option, overrides the IP address.
https://bugs.python.org/issue32572  opened by studioes

#32573: sys.argv documentation should include caveat for embedded envi
https://bugs.python.org/issue32573  opened by pgacv2

#32574: asyncio.Queue, put() leaks memory if the queue is full
https://bugs.python.org/issue32574  opened by Mordis

#32579: UUID module fix, uuid1 python module function
https://bugs.python.org/issue32579  opened by David CARLIER2

#32580: Fallback to dev_urandom doesn't work when py_getrandom returns
https://bugs.python.org/issue32580  opened by jernejs

#32581: A bug of the write funtion of ConfigParser.py
https://bugs.python.org/issue32581  opened by jiangjinhu666

#32582: chr raises OverflowError
https://bugs.python.org/issue32582  opened by ukl

#32583: Crash during decoding using UTF-16/32 and custom error handler
https://bugs.python.org/issue32583  opened by sibiryakov

#32584: Uninitialized free_extra in code_dealloc
https://bugs.python.org/issue32584  opened by jeethu

#32585: Add ttk::spinbox to tkinter.ttk
https://bugs.python.org/issue32585  opened by Alan Moore

#32587: Make REG_MULTI_SZ support PendingFileRenameOperations
https://bugs.python.org/issue32587  opened by nanonyme

#32589: Statistics as a result from timeit
https://bugs.python.org/issue32589  opened by MGilch

#32590: Proposal: add an "ensure(arg)" builtin for parameter validatio
https://bugs.python.org/issue32590  opened by ncoghlan

#32591: Deprecate sys.set_coroutine_wrapper and replace it with more f
https://bugs.python.org/issue32591  opened by njs

#3

[Python-Dev] Summary of Python tracker Issues

2018-01-26 Thread Python tracker

ACTIVITY SUMMARY (2018-01-19 - 2018-01-26)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6445 (+45)
  closed 37988 (+39)
  total  44433 (+84)

Open issues with patches: 2512 


Issues opened (70)
==

#10381: Add timezone support to datetime C API
https://bugs.python.org/issue10381  reopened by vstinner

#20767: Some python extensions can't be compiled with clang 3.4
https://bugs.python.org/issue20767  reopened by vstinner

#29708: support reproducible Python builds
https://bugs.python.org/issue29708  reopened by brett.cannon

#32441: os.dup2 should return the new fd
https://bugs.python.org/issue32441  reopened by vstinner

#32591: Deprecate sys.set_coroutine_wrapper and replace it with more f
https://bugs.python.org/issue32591  reopened by yselivanov

#32599: Add dtrace hook for PyCFunction_Call
https://bugs.python.org/issue32599  opened by fche

#32601: PosixPathTest.test_expanduser fails in NixOS build sandbox
https://bugs.python.org/issue32601  opened by andersk

#32603: Deprecation warning on strings used in re module
https://bugs.python.org/issue32603  opened by csabella

#32604: Expose the subinterpreters C-API in Python for testing use.
https://bugs.python.org/issue32604  opened by eric.snow

#32605: Should we really hide unawaited coroutine warnings when an exc
https://bugs.python.org/issue32605  opened by njs

#32606: Email Header Injection Protection Bypass
https://bugs.python.org/issue32606  opened by thedoctorsoup

#32608: Incompatibilities with the socketserver and multiprocessing pa
https://bugs.python.org/issue32608  opened by rbprogrammer

#32609: Add setter and getter for min/max protocol ersion
https://bugs.python.org/issue32609  opened by christian.heimes

#32610: asyncio.all_tasks() should return only non-finished tasks.
https://bugs.python.org/issue32610  opened by asvetlov

#32611: Tkinter taskbar icon (Windows)
https://bugs.python.org/issue32611  opened by Minion Jim

#32612: pathlib.(Pure)WindowsPaths can compare equal but refer to diff
https://bugs.python.org/issue32612  opened by benrg

#32613: Use PEP 397 py launcher in windows faq
https://bugs.python.org/issue32613  opened by mdk

#32614: Fix documentation examples of using re with escape sequences
https://bugs.python.org/issue32614  opened by csabella

#32615: Inconsistent behavior if globals is a dict subclass
https://bugs.python.org/issue32615  opened by ppperry

#32616: Significant performance problems with Python 2.7 built with cl
https://bugs.python.org/issue32616  opened by zmwangx

#32620: [3.5] Travis CI fails on Python 3.5 with "pyenv: version `3.5'
https://bugs.python.org/issue32620  opened by vstinner

#32621: Problem of consistence in collection.abc documentation
https://bugs.python.org/issue32621  opened by yahya-abou-imran

#32622: Implement loop.sendfile
https://bugs.python.org/issue32622  opened by asvetlov

#32623: Resize dict on del/pop
https://bugs.python.org/issue32623  opened by yselivanov

#32624: Implement WriteTransport.is_protocol_paused()
https://bugs.python.org/issue32624  opened by asvetlov

#32625: Update the dis module documentation to reflect switch to wordc
https://bugs.python.org/issue32625  opened by belopolsky

#32626: Subscript unpacking raises SyntaxError
https://bugs.python.org/issue32626  opened by Ben Burrill

#32627: Header dependent _uuid build failure on Fedora 27
https://bugs.python.org/issue32627  opened by ncoghlan

#32628: Add configurable DirectoryIndex to http.server
https://bugs.python.org/issue32628  opened by epaulson

#32629: PyImport_ImportModule occasionally cause access violation
https://bugs.python.org/issue32629  opened by Jack Branson

#32630: Migrate decimal to use PEP 567 context variables
https://bugs.python.org/issue32630  opened by yselivanov

#32631: IDLE: revise zzdummy.py
https://bugs.python.org/issue32631  opened by terry.reedy

#32637: Android: set sys.platform to android
https://bugs.python.org/issue32637  opened by vstinner

#32638: distutils test errors with AIX and xlc
https://bugs.python.org/issue32638  opened by Michael.Felt

#32640: Python 2.7 str.join documentation is incorrect
https://bugs.python.org/issue32640  opened by Malcolm Smith

#32642: add support for path-like objects in sys.path
https://bugs.python.org/issue32642  opened by chris.jerdonek

#32644: unittest.mock.call len() error
https://bugs.python.org/issue32644  opened by snakevil

#32645: test_asyncio: TLS tests fail on "x86 Windows7" buildbot
https://bugs.python.org/issue32645  opened by vstinner

#32646: test_asyncgen: race condition on test_async_gen_asyncio_gc_acl
https://bugs.python.org/issue32646  opened by vstinner

#32647: Undefined references when compiling ctypes on binutils 2.29.1 
https://bugs.python.org/issue32647  opened by cstratak

#32649: complete C API doc debug and profile part w

[Python-Dev] Summary of Python tracker Issues

2018-02-02 Thread Python tracker

ACTIVITY SUMMARY (2018-01-26 - 2018-02-02)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6411 (-34)
  closed 38089 (+101)
  total  44500 (+67)

Open issues with patches: 2492 


Issues opened (35)
==

#32221: Converting ipv6 address to string representation using getname
https://bugs.python.org/issue32221  reopened by yselivanov

#32622: Implement loop.sendfile
https://bugs.python.org/issue32622  reopened by vstinner

#32683: isinstance is calling ob.__getattribute__ as a fallback instea
https://bugs.python.org/issue32683  opened by bup

#32684: asyncio.gather(..., return_exceptions=True) swallows cancellat
https://bugs.python.org/issue32684  opened by socketpair

#32689: shutil.move raises AttributeError if first argument is a pathl
https://bugs.python.org/issue32689  opened by craigh

#32691: "pdb -m " sets __main__.__package__ incorrectly
https://bugs.python.org/issue32691  opened by ncoghlan

#32692: test_threading.test_set_and_clear fails in AppVeyor CI
https://bugs.python.org/issue32692  opened by xiang.zhang

#32694: Can no longer specify OpenSSL locations with CPPFLAGS / LDFLAG
https://bugs.python.org/issue32694  opened by yselivanov

#32695: tarfile.open() raises TypeError when using compresslevel param
https://bugs.python.org/issue32695  opened by bbayles

#32696: Fix pickling exceptions with multiple arguments
https://bugs.python.org/issue32696  opened by slallum

#32706: test_check_hostname() of test_ftplib started to fail randomly
https://bugs.python.org/issue32706  opened by vstinner

#32708: test_sendfile() hangs on AMD64 FreeBSD 10.x Shared 3.x buildbo
https://bugs.python.org/issue32708  opened by vstinner

#32710: test_asyncio leaked [4, 4, 3] memory blocks, sum=11 on AMD64 W
https://bugs.python.org/issue32710  opened by vstinner

#32713: tarfile.itn breaks if n is a negative float
https://bugs.python.org/issue32713  opened by j0ffrey

#32715: Make create_unix_server for SOCK_DGRAM work
https://bugs.python.org/issue32715  opened by holger+lp

#32716: setup.py register --repository is broken
https://bugs.python.org/issue32716  opened by shimizukawa

#32717: Document PEP 560
https://bugs.python.org/issue32717  opened by levkivskyi

#32718: Install PowerShell activation scripts for venv for all platfor
https://bugs.python.org/issue32718  opened by brett.cannon

#32719: fatal error raised when Ctrl-C print loop
https://bugs.python.org/issue32719  opened by xiang.zhang

#32720: Format mini-language integer definition is incorrect
https://bugs.python.org/issue32720  opened by ncoghlan

#32723: codecs.open silently ignores argument errors
https://bugs.python.org/issue32723  opened by xiang.zhang

#32725: Instance of _multiprocessing.PipeConnection-subtype crash on d
https://bugs.python.org/issue32725  opened by hakril

#32726: macOS installer and framework enhancements and changes for 3.7
https://bugs.python.org/issue32726  opened by ned.deily

#32728: Extend zipfile's compression level support  to LZMA
https://bugs.python.org/issue32728  opened by bbayles

#32729: socket error handling needed
https://bugs.python.org/issue32729  opened by rkdls

#32730: Allow py launcher to launch other registered Pythons
https://bugs.python.org/issue32730  opened by petsu...@gmail.com

#32731: getpass.getuser() raises an unspecified exceptions (ImportErro
https://bugs.python.org/issue32731  opened by gregory.p.smith

#32732: LoggingAdapter ignores extra kwargs of Logger#log()
https://bugs.python.org/issue32732  opened by mcoolive

#32734: Asyncio Lock safety issue (unlimited acquire)
https://bugs.python.org/issue32734  opened by bar.harel

#32739: collections.deque rotate(n=1) default value not documented
https://bugs.python.org/issue32739  opened by yuy

#32742: zipfile extractall needlessly re-wraps ZipInfo instances
https://bugs.python.org/issue32742  opened by peterbe

#32743: Typo in hamt.c comments
https://bugs.python.org/issue32743  opened by delimitry

#32745: ctypes string pointer fields should accept embedded null chara
https://bugs.python.org/issue32745  opened by theller

#32746: More misspellings, mostly in source code.
https://bugs.python.org/issue32746  opened by terry.reedy

#32749: Remove dbm.dumb behavior deprecated in 3.6
https://bugs.python.org/issue32749  opened by serhiy.storchaka



Most recent 15 issues with no replies (15)
==

#32749: Remove dbm.dumb behavior deprecated in 3.6
https://bugs.python.org/issue32749

#32746: More misspellings, mostly in source code.
https://bugs.python.org/issue32746

#32728: Extend zipfile's compression level support  to LZMA
https://bugs.python.org/issue32728

#32718: Install PowerShell activation scripts for venv for all platfor
https://bugs.python.org/issue32718

#32717: Document PEP 560
https://bugs.python.org/issue32717

#3271

[Python-Dev] Summary of Python tracker Issues

2018-02-09 Thread Python tracker

ACTIVITY SUMMARY (2018-02-02 - 2018-02-09)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6439 (+28)
  closed 38121 (+32)
  total  44560 (+60)

Open issues with patches: 2497 


Issues opened (44)
==

#31961: subprocess._execute_child doesn't accept a single PathLike arg
https://bugs.python.org/issue31961  reopened by serhiy.storchaka

#32521: NIS module fails to build due to the removal of interfaces rel
https://bugs.python.org/issue32521  reopened by cstratak

#32616: Significant performance problems with Python 2.7 built with cl
https://bugs.python.org/issue32616  reopened by inada.naoki

#32750: lib2to3 log_error method behavior is inconsitent with document
https://bugs.python.org/issue32750  opened by soupytwist

#32751: wait_for(future, ...) should wait for the future (even if a ti
https://bugs.python.org/issue32751  opened by njs

#32752: no information about accessing typing.Generic type arguments
https://bugs.python.org/issue32752  opened by Paul Pinterits

#32754: feature request: asyncio.gather/wait cancel children on first 
https://bugs.python.org/issue32754  opened by thehesiod

#32755: Several cookies with the same name get intermixed
https://bugs.python.org/issue32755  opened by Юрий Пухальский

#32756: argparse: parse_known_args: raising exception on unknown arg f
https://bugs.python.org/issue32756  opened by actionless

#32757: Python 2.7 : Buffer Overflow vulnerability in exec() function
https://bugs.python.org/issue32757  opened by hadimene

#32758: Stack overflow when parse long expression to AST
https://bugs.python.org/issue32758  opened by serhiy.storchaka

#32759: multiprocessing.Array do not release shared memory
https://bugs.python.org/issue32759  opened by OO O

#32761: Create IDLE Modern Mac keyset
https://bugs.python.org/issue32761  opened by rhettinger

#32762: Choose protocol implementation on transport.set_protocol()
https://bugs.python.org/issue32762  opened by asvetlov

#32764: Popen doesn't work on Windows when args is a list
https://bugs.python.org/issue32764  opened by serhiy.storchaka

#32766: 4.7.7. Function Annotations
https://bugs.python.org/issue32766  opened by John Hossbach

#32767: Mutating a list while iterating:  clarify the docs
https://bugs.python.org/issue32767  opened by tim.peters

#32768: object.__new__ does not accept arguments if __bases__ is chang
https://bugs.python.org/issue32768  opened by VA

#32769: Add 'annotations' to the glossary
https://bugs.python.org/issue32769  opened by csabella

#32771: merge the underlying data stores of unicodedata and the str ty
https://bugs.python.org/issue32771  opened by benjamin.peterson

#32773: distutils should NOT preserve timestamps
https://bugs.python.org/issue32773  opened by jdemeyer

#32776: asyncio SIGCHLD scalability problems
https://bugs.python.org/issue32776  opened by holger+lp

#32779: urljoining an empty query string doesn't clear query string
https://bugs.python.org/issue32779  opened by Paul Fisher

#32780: ctypes: memoryview gives incorrect PEP3118 format strings for 
https://bugs.python.org/issue32780  opened by Eric.Wieser

#32781: lzh_tw is missing in locale.py
https://bugs.python.org/issue32781  opened by cypressyew

#32782: ctypes: memoryview gives incorrect PEP3118 itemsize for array 
https://bugs.python.org/issue32782  opened by Eric.Wieser

#32786: Didnot work strftime() when hangeul in format sting
https://bugs.python.org/issue32786  opened by leop0ld

#32787: Better error handling in ctypes
https://bugs.python.org/issue32787  opened by serhiy.storchaka

#32788: Better error handling in sqlite3
https://bugs.python.org/issue32788  opened by serhiy.storchaka

#32789: Note missing from logging.debug() docs
https://bugs.python.org/issue32789  opened by pgacv2

#32790: Keep trailing zeros in precision for string format option g
https://bugs.python.org/issue32790  opened by sk1d

#32792: ChainMap should preserve order of underlying mappings
https://bugs.python.org/issue32792  opened by rhettinger

#32793: smtplib: duplicated debug message
https://bugs.python.org/issue32793  opened by qingyunha

#32795: subprocess.check_output() with timeout does not exit if child 
https://bugs.python.org/issue32795  opened by Mike Lewis

#32797: Tracebacks from Cython modules no longer work
https://bugs.python.org/issue32797  opened by jdemeyer

#32798: mmap.flush() on Linux does not accept the "offset" and "size" 
https://bugs.python.org/issue32798  opened by byronhawkins

#32799:  returned a resul
https://bugs.python.org/issue32799  opened by EliRibble

#32800: Replace deprecated link to new page on w3c site
https://bugs.python.org/issue32800  opened by sblondon

#32801: Lib/_strptime.py: utilize all()
https://bugs.python.org/issue32801  opened by dilyan.palauzov

#32803: smtplib: L

[Python-Dev] Summary of Python tracker Issues

2018-02-16 Thread Python tracker

ACTIVITY SUMMARY (2018-02-09 - 2018-02-16)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6456 (+17)
  closed 38153 (+32)
  total  44609 (+49)

Open issues with patches: 2511 


Issues opened (35)
==

#32810: Expose ags_gen and agt_gen in asynchronous generators
https://bugs.python.org/issue32810  opened by dabeaz

#32813: SSL shared_ciphers implementation wrong - returns configured b
https://bugs.python.org/issue32813  opened by noxxi

#32814: smtplib.send_message mishandles 8BITMIME RFC 6152
https://bugs.python.org/issue32814  opened by Segev Finer

#32818: multiprocessing segmentfault under Windows compatibility mode
https://bugs.python.org/issue32818  opened by Ma Lin

#32819: match_hostname() error reporting bug
https://bugs.python.org/issue32819  opened by christian.heimes

#32820: Add bits method to ipaddress
https://bugs.python.org/issue32820  opened by ewosborne

#32821: Add snippet on how to configure a "split" stream for console
https://bugs.python.org/issue32821  opened by mariocj89

#32822: finally block doesn't re-raise exception if return statement e
https://bugs.python.org/issue32822  opened by David Rebbe

#32823: Regression in test -j behavior and time in 3.7.0b1
https://bugs.python.org/issue32823  opened by terry.reedy

#32824: Docs: Using Python on a Macintosh has bad info per Apple site
https://bugs.python.org/issue32824  opened by griswolf

#32825: warn user of creation of multiple Tk instances
https://bugs.python.org/issue32825  opened by mps

#32829: Lib/ be more pythonic
https://bugs.python.org/issue32829  opened by dilyan.palauzov

#32831: IDLE: Add docstrings and tests for codecontext
https://bugs.python.org/issue32831  opened by csabella

#32832: doctest should support custom ps1/ps2 prompts
https://bugs.python.org/issue32832  opened by Sergey.Kirpichev

#32833: argparse doesn't recognise two option aliases as equal
https://bugs.python.org/issue32833  opened by Krzysztof Leszczyński

#32834: test_gdb fails with Posix locale in 3.7
https://bugs.python.org/issue32834  opened by serhiy.storchaka

#32835: Add documention mentioning that Cygwin isn't fully compatible
https://bugs.python.org/issue32835  opened by jayyin11043

#32836: Symbol table for comprehensions (list, dict, set) still includ
https://bugs.python.org/issue32836  opened by mjpieters

#32838: Fix Python versions in the table of magic numbers
https://bugs.python.org/issue32838  opened by serhiy.storchaka

#32839: Add after_info as a function to tkinter
https://bugs.python.org/issue32839  opened by csabella

#32840: Must install python 3.6.3 when 3.6.4 already installed
https://bugs.python.org/issue32840  opened by NaCl

#32841: Asyncio.Condition prevents cancellation
https://bugs.python.org/issue32841  opened by bar.harel

#32843: More revisions to test.support docs
https://bugs.python.org/issue32843  opened by csabella

#32844: subprocess may incorrectly redirect a low fd to stderr if anot
https://bugs.python.org/issue32844  opened by izbyshev

#32846: Deletion of large sets of strings is extra slow
https://bugs.python.org/issue32846  opened by terry.reedy

#32847: Add DirectoryNotEmptyError subclass of OSError
https://bugs.python.org/issue32847  opened by barry

#32849: Fatal Python error: Py_Initialize: can't initialize sys standa
https://bugs.python.org/issue32849  opened by rudolphf

#32850: Run gc_collect() before complaining about dangling threads
https://bugs.python.org/issue32850  opened by smurfix

#32852: trace changes sys.argv from list to tuple
https://bugs.python.org/issue32852  opened by altendky

#32853: struct's docstring implies alignment is always performed
https://bugs.python.org/issue32853  opened by Eli_B

#32854: Add ** Map Unpacking Support for namedtuple
https://bugs.python.org/issue32854  opened by John Crawford

#32855: Add documention stating supported Platforms
https://bugs.python.org/issue32855  opened by jayyin11043

#32856: Optimize the `for y in [x]` idiom in comprehensions
https://bugs.python.org/issue32856  opened by serhiy.storchaka

#32857: tkinter after_cancel does not behave correctly when called wit
https://bugs.python.org/issue32857  opened by csabella

#32858: Improve OpenSSL ECDH support
https://bugs.python.org/issue32858  opened by sruester



Most recent 15 issues with no replies (15)
==

#32855: Add documention stating supported Platforms
https://bugs.python.org/issue32855

#32853: struct's docstring implies alignment is always performed
https://bugs.python.org/issue32853

#32852: trace changes sys.argv from list to tuple
https://bugs.python.org/issue32852

#32849: Fatal Python error: Py_Initialize: can't initialize sys standa
https://bugs.python.org/issue32849

#32847: Add DirectoryNotEmptyError subclass of OSError
https://bugs.pyt

[Python-Dev] Summary of Python tracker Issues

2018-02-23 Thread Python tracker

ACTIVITY SUMMARY (2018-02-16 - 2018-02-23)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6485 (+29)
  closed 38190 (+37)
  total  44675 (+66)

Open issues with patches: 2530 


Issues opened (54)
==

#31355: Remove Travis CI macOS job: rely on buildbots
https://bugs.python.org/issue31355  reopened by pitrou

#32008: Example suggest to use a TLSv1 socket
https://bugs.python.org/issue32008  reopened by christian.heimes

#32861: urllib.robotparser: incomplete __str__ methods
https://bugs.python.org/issue32861  opened by michael-lazar

#32862: os.dup2(fd, fd, inheritable=False) behaves inconsistently
https://bugs.python.org/issue32862  opened by izbyshev

#32865: os.pipe  creates inheritable FDs with a bad internal state on 
https://bugs.python.org/issue32865  opened by eryksun

#32866: zipimport loader.get_data() requires absolute zip file path
https://bugs.python.org/issue32866  opened by barry

#32867: argparse assertion failure with multiline metavars
https://bugs.python.org/issue32867  opened by MaT1g3R

#32871: Interrupt .communicate() on SIGTERM/INT
https://bugs.python.org/issue32871  opened by porton

#32872: backport of #32305 causes regressions in various packages
https://bugs.python.org/issue32872  opened by doko

#32873: Pickling of typing types
https://bugs.python.org/issue32873  opened by serhiy.storchaka

#32874: IDLE: Add tests for pyparse
https://bugs.python.org/issue32874  opened by csabella

#32875: Add __exit__() method to event loops
https://bugs.python.org/issue32875  opened by porton

#32876: HTMLParser raises exception on some inputs
https://bugs.python.org/issue32876  opened by hanno

#32877: Login to bugs.python.org with Google account NOT working
https://bugs.python.org/issue32877  opened by ruffsl

#32878: Document value of st_ino on Windows
https://bugs.python.org/issue32878  opened by gvanrossum

#32879: Race condition in multiprocessing Queue
https://bugs.python.org/issue32879  opened by TwistedSim

#32880: IDLE: Fix and update and cleanup pyparse
https://bugs.python.org/issue32880  opened by terry.reedy

#32881: pycapsule:PyObject * is NULL pointer
https://bugs.python.org/issue32881  opened by zhaoya

#32882: SSLContext.set_ecdh_curve() not accepting x25519
https://bugs.python.org/issue32882  opened by sruester

#32883: Key agreement parameters not accessible
https://bugs.python.org/issue32883  opened by sruester

#32884: Adding the ability for getpass to print asterisks when passowr
https://bugs.python.org/issue32884  opened by matanya.stroh

#32885: Tools/scripts/pathfix.py leaves bunch of ~ suffixed files arou
https://bugs.python.org/issue32885  opened by hroncok

#32886: new Boolean ABC in numbers module
https://bugs.python.org/issue32886  opened by smarie

#32887: os: Users of path_converter don't handle fd == -1 properly
https://bugs.python.org/issue32887  opened by izbyshev

#32888: Improve exception message in ast.literal_eval
https://bugs.python.org/issue32888  opened by Rosuav

#32890: os: Some functions may report bogus errors on Windows
https://bugs.python.org/issue32890  opened by izbyshev

#32891: Add 'Integer' as synonym for 'Integral' in numbers module.
https://bugs.python.org/issue32891  opened by terry.reedy

#32892: Remove specific constant AST types in favor of ast.Constant
https://bugs.python.org/issue32892  opened by serhiy.storchaka

#32893: ast.literal_eval() shouldn't accept booleans as numbers in AST
https://bugs.python.org/issue32893  opened by serhiy.storchaka

#32894: AST unparsing of infinity numbers
https://bugs.python.org/issue32894  opened by serhiy.storchaka

#32896: Error when subclassing a dataclass with a field that uses a de
https://bugs.python.org/issue32896  opened by John Didion

#32897: test_gdb failed on Fedora 27
https://bugs.python.org/issue32897  opened by amitg-b14

#32900: Teach pdb to step through asyncio et al.
https://bugs.python.org/issue32900  opened by smurfix

#32901: Update 3.7 and 3.8 Windows and macOS installer builds to tcl/t
https://bugs.python.org/issue32901  opened by terry.reedy

#32902: FileInput "inplace" redirects output of other threads
https://bugs.python.org/issue32902  opened by mj4int

#32903: os.chdir() may leak memory on Windows
https://bugs.python.org/issue32903  opened by izbyshev

#32904: os.chdir(), os.getcwd() may crash on Windows in presence of ra
https://bugs.python.org/issue32904  opened by izbyshev

#32907: pathlib: test_resolve_common fails on Windows
https://bugs.python.org/issue32907  opened by izbyshev

#32909: ApplePersistenceIgnoreState warning on macOS
https://bugs.python.org/issue32909  opened by cbrnr

#32910: venv: Deactivate.ps1 is not created when Activate.ps1 was used
https://bugs.python.org/issue32910  opened by godaygo

#32911: Doc strings no longer stored in body of AST
https

[Python-Dev] Summary of Python tracker Issues

2018-03-02 Thread Python tracker

ACTIVITY SUMMARY (2018-02-23 - 2018-03-02)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6491 ( +6)
  closed 38243 (+53)
  total  44734 (+59)

Open issues with patches: 2527 


Issues opened (49)
==

#32604: Expose the subinterpreters C-API in Python for testing use.
https://bugs.python.org/issue32604  reopened by eric.snow

#32924: Python 3.7 docs in docs.p.o points to GitHub's master branch
https://bugs.python.org/issue32924  reopened by ned.deily

#32925: AST optimizer: Change a list into tuple in iterations and cont
https://bugs.python.org/issue32925  opened by serhiy.storchaka

#32926: Add public TestCase method/property to get result of current t
https://bugs.python.org/issue32926  opened by Victor Engmark

#32927: Add typeshed documentation for unittest.TestCase._feedErrorsTo
https://bugs.python.org/issue32927  opened by Victor Engmark

#32932: better error message when __all__ contains non-str objects
https://bugs.python.org/issue32932  opened by xiang.zhang

#32933: mock_open does not support iteration around text files.
https://bugs.python.org/issue32933  opened by anthony-flury

#32934: logging.handlers.BufferingHandler capacity is unclearly specif
https://bugs.python.org/issue32934  opened by enrico

#32935: Documentation falsely leads to believe that MemoryHandler can 
https://bugs.python.org/issue32935  opened by enrico

#32936: RobotFileParser.parse() should raise an exception when the rob
https://bugs.python.org/issue32936  opened by Guinness

#32937: Multiprocessing worker functions not terminating with a large 
https://bugs.python.org/issue32937  opened by Ericg

#32938: webbrowser: Add options for private mode
https://bugs.python.org/issue32938  opened by csabella

#32939: IDLE: self.use_context_ps1 defined in editor, but always False
https://bugs.python.org/issue32939  opened by csabella

#32940: IDLE: pyparse - simplify StringTranslatePseudoMapping
https://bugs.python.org/issue32940  opened by csabella

#32941: mmap should expose madvise()
https://bugs.python.org/issue32941  opened by pitrou

#32942: Regression: test_script_helper fails
https://bugs.python.org/issue32942  opened by abrezovsky

#32943: confusing error message for rot13 codec
https://bugs.python.org/issue32943  opened by xiang.zhang

#32946: Speed up import from non-packages
https://bugs.python.org/issue32946  opened by serhiy.storchaka

#32947: Support OpenSSL 1.1.1
https://bugs.python.org/issue32947  opened by christian.heimes

#32948: clang compiler warnings on Travis
https://bugs.python.org/issue32948  opened by christian.heimes

#32949: Simplify "with"-related opcodes
https://bugs.python.org/issue32949  opened by serhiy.storchaka

#32950: profiling python gc
https://bugs.python.org/issue32950  opened by Luavis

#32951: Prohibit direct instantiation of SSLSocket and SSLObject
https://bugs.python.org/issue32951  opened by christian.heimes

#32952: Add __qualname__ for attributes of Mock instances
https://bugs.python.org/issue32952  opened by s_kostyuk

#32953: Dataclasses: frozen should not be inherited for non-dataclass 
https://bugs.python.org/issue32953  opened by eric.smith

#32954: Lazy Literal String Interpolation (PEP-498-based fl-strings)
https://bugs.python.org/issue32954  opened by arcivanov

#32955: IDLE crashes when trying to save a file
https://bugs.python.org/issue32955  opened by zaphod424

#32957: distutils.command.install checks truthiness of .ext_modules in
https://bugs.python.org/issue32957  opened by korijn

#32958: Urllib proxy_bypass crashes for urls containing long basic aut
https://bugs.python.org/issue32958  opened by ablack

#32959: zipimport fails when the ZIP archive contains more than 65535 
https://bugs.python.org/issue32959  opened by mchouza

#32960: dataclasses: disallow inheritance between frozen and non-froze
https://bugs.python.org/issue32960  opened by eric.smith

#32962: test_gdb fails in debug build with `-mcet -fcf-protection -O0`
https://bugs.python.org/issue32962  opened by ishcherb

#32963: Python 2.7 tutorial claims source code is UTF-8 encoded
https://bugs.python.org/issue32963  opened by mjpieters

#32964: Reuse a testing implementation of the path protocol in tests
https://bugs.python.org/issue32964  opened by serhiy.storchaka

#32966: Python 3.6.4 - 0x80070643 - Fatal Error during installation
https://bugs.python.org/issue32966  opened by exceltw

#32968: Fraction modulo infinity should behave consistently with other
https://bugs.python.org/issue32968  opened by elias

#32969: Add more constants to zlib module
https://bugs.python.org/issue32969  opened by xiang.zhang

#32970: Improve disassembly of the MAKE_FUNCTION instruction
https://bugs.python.org/issue32970  opened by serhiy.storchaka

#32971: Docs on unittest.TestCase.assertRaises() should clarify contex
https://bugs.python.org/issue32971  op

[Python-Dev] Summary of Python tracker Issues

2018-03-09 Thread Python tracker

ACTIVITY SUMMARY (2018-03-02 - 2018-03-09)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6516 (+25)
  closed 38271 (+28)
  total  44787 (+53)

Open issues with patches: 2546 


Issues opened (39)
==

#31500: IDLE: Tiny font on HiDPI display
https://bugs.python.org/issue31500  reopened by terry.reedy

#32985: subprocess.Popen: Confusing documentation for restore_signals
https://bugs.python.org/issue32985  opened by ntrrgc

#32986: multiprocessing, default assumption of Pool size unhelpful
https://bugs.python.org/issue32986  opened by M J Harvey

#32987: tokenize.py parses unicode identifiers incorrectly
https://bugs.python.org/issue32987  opened by steve

#32989: IDLE: Fix pyparse.find_good_parse_start and its bad editor cal
https://bugs.python.org/issue32989  opened by csabella

#32990: Supporting extensible format(PCM) for wave.open(read-mode)
https://bugs.python.org/issue32990  opened by acelletti

#32993: urllib and webbrowser.open() can open w/ file: protocol
https://bugs.python.org/issue32993  opened by yao zhihua

#32995: Add a glossary entry for context variables
https://bugs.python.org/issue32995  opened by serhiy.storchaka

#32996: Improve What's New in 3.7
https://bugs.python.org/issue32996  opened by serhiy.storchaka

#33000: IDLE Doc: Text consumes unlimited RAM, consoles likely not
https://bugs.python.org/issue33000  opened by jbrearley

#33001: Buffer overflow vulnerability in os.symlink on Windows (CVE-20
https://bugs.python.org/issue33001  opened by steve.dower

#33002: Making a class formattable as hex/oct integer with printf-styl
https://bugs.python.org/issue33002  opened by josh.r

#33003: urllib: Document parse_http_list
https://bugs.python.org/issue33003  opened by labrat

#33006: docstring of filter function is incorrect
https://bugs.python.org/issue33006  opened by Pierre Thibault

#33007: Objects referencing private-mangled names do not roundtrip pro
https://bugs.python.org/issue33007  opened by Antony.Lee

#33008: urllib.request.parse_http_list incorrectly strips backslashes
https://bugs.python.org/issue33008  opened by labrat

#33010: os.path.isdir() returns True for broken directory symlinks or 
https://bugs.python.org/issue33010  opened by izbyshev

#33012: Invalid function cast warnings with gcc 8 for METH_NOARGS
https://bugs.python.org/issue33012  opened by siddhesh

#33014: Clarify doc string for str.isidentifier()
https://bugs.python.org/issue33014  opened by dabeaz

#33015: Fix function cast warning in thread_pthread.h
https://bugs.python.org/issue33015  opened by siddhesh

#33016: nt._getfinalpathname may use uninitialized memory
https://bugs.python.org/issue33016  opened by izbyshev

#33017: Special set-cookie setting will bypass Cookielib
https://bugs.python.org/issue33017  opened by LCatro

#33018: Improve issubclass() error checking and message
https://bugs.python.org/issue33018  opened by jab

#33019: Review usage of environment variables in the stdlib
https://bugs.python.org/issue33019  opened by pitrou

#33020: Tkinter old style classes
https://bugs.python.org/issue33020  opened by benkir07

#33021: Some fstat() calls do not release the GIL, possibly hanging al
https://bugs.python.org/issue33021  opened by nirs

#33023: Unable to copy ssl.SSLContext
https://bugs.python.org/issue33023  opened by vitaly.krug

#33024: asyncio.WriteTransport.set_write_buffer_limits orders its args
https://bugs.python.org/issue33024  opened by vitaly.krug

#33025: urlencode produces bad output from ssl.CERT_NONE and friends t
https://bugs.python.org/issue33025  opened by vitaly.krug

#33026: Fix jumping out of "with" block
https://bugs.python.org/issue33026  opened by serhiy.storchaka

#33027: handling filename encoding in Content-Disposition by cgi.Field
https://bugs.python.org/issue33027  opened by pawciobiel

#33028: tempfile.TemporaryDirectory incorrectly documented
https://bugs.python.org/issue33028  opened by Richard Neumann

#33029: Invalid function cast warnings with gcc 8 for getter and sette
https://bugs.python.org/issue33029  opened by siddhesh

#33030: GetLastError() may be overwritten by Py_END_ALLOW_THREADS
https://bugs.python.org/issue33030  opened by steve.dower

#33031: Questionable code in OrderedDict definition
https://bugs.python.org/issue33031  opened by serhiy.storchaka

#33032: Mention implicit cache in struct.Struct docs
https://bugs.python.org/issue33032  opened by ncoghlan

#33033: Clarify that the signed number convertors to PyArg_ParseTuple.
https://bugs.python.org/issue33033  opened by Antony.Lee

#33034: urllib.parse.urlparse and urlsplit not raising ValueError for 
https://bugs.python.org/issue33034  opened by jonathan-lp

#33036: test_selectors.PollSelectorTestCase failing on macOS 10.13.3
https://bugs.python.org/issue33036  opened by n8henrie



Most recent 15 issues with

[Python-Dev] Summary of Python tracker Issues

2018-03-16 Thread Python tracker

ACTIVITY SUMMARY (2018-03-09 - 2018-03-16)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6525 ( +9)
  closed 38312 (+41)
  total  44837 (+50)

Open issues with patches: 2546 


Issues opened (44)
==

#27645: Supporting native backup facility of SQLite
https://bugs.python.org/issue27645  reopened by berker.peksag

#33014: Clarify str.isidentifier docstring; fix keyword.iskeyword docs
https://bugs.python.org/issue33014  reopened by terry.reedy

#33037: Skip sending/receiving after SSL transport closing
https://bugs.python.org/issue33037  opened by asvetlov

#33038: GzipFile doesn't always ignore None as filename
https://bugs.python.org/issue33038  opened by da

#33039: int() and math.trunc don't accept objects that only define __i
https://bugs.python.org/issue33039  opened by ncoghlan

#33041: Issues with "async for"
https://bugs.python.org/issue33041  opened by serhiy.storchaka

#33042: New 3.7 startup sequence crashes PyInstaller
https://bugs.python.org/issue33042  opened by htgoebel

#33043: Add a 'Contributing to Docs' link at the bottom of docs.python
https://bugs.python.org/issue33043  opened by willingc

#33044: pdb from base class, get inside a method of derived class
https://bugs.python.org/issue33044  opened by ishanSrt

#33046: IDLE option to strip trailing whitespace automatically on save
https://bugs.python.org/issue33046  opened by rhettinger

#33047: "RuntimeError: dictionary changed size during iteration" using
https://bugs.python.org/issue33047  opened by Delgan

#33048: macOS job broken on Travis CI
https://bugs.python.org/issue33048  opened by pitrou

#33049: itertools.count() confusingly mentions zip() and sequence numb
https://bugs.python.org/issue33049  opened by trey

#33050: Centralized documentation of assumptions made by C code
https://bugs.python.org/issue33050  opened by tvanslyke

#33051: IDLE: Create new tab for editor options in configdialog
https://bugs.python.org/issue33051  opened by csabella

#33052: Sporadic segmentation fault in test_datetime
https://bugs.python.org/issue33052  opened by pitrou

#33053: Running a module with `-m` will add empty directory to sys.pat
https://bugs.python.org/issue33053  opened by ztane

#33054: unittest blocks when testing function using multiprocessing.Po
https://bugs.python.org/issue33054  opened by Kenneth Chik

#33055: bytes does not implement __bytes__()
https://bugs.python.org/issue33055  opened by FHTMitchell

#33057: logging.Manager.logRecordFactory is never used
https://bugs.python.org/issue33057  opened by feinsteinben

#33058: Enhance Python's Memory Instrumentation with COUNT_ALLOCS
https://bugs.python.org/issue33058  opened by elizondo93

#33059: netrc module validates file mode only for /home/user/.netrc
https://bugs.python.org/issue33059  opened by akoeltringer

#33061: NoReturn missing from __all__ in typing.py
https://bugs.python.org/issue33061  opened by Allen Tracht

#33062: ssl_renegotiate() doesn't seem to be exposed
https://bugs.python.org/issue33062  opened by vitaly.krug

#33063: failed to build _ctypes: undefined reference to `ffi_closure_F
https://bugs.python.org/issue33063  opened by siming85

#33065: IDLE debugger: problem importing user created module
https://bugs.python.org/issue33065  opened by jcdlr

#33066: raise an exception from multiple positions break the traceback
https://bugs.python.org/issue33066  opened by hubo1016

#33067: http.client no longer sends HTTP request in one TCP package
https://bugs.python.org/issue33067  opened by christian.heimes

#33069: Maintainer information discarded when writing PKG-INFO
https://bugs.python.org/issue33069  opened by p-ganssle

#33070: Add platform triplet for RISC-V
https://bugs.python.org/issue33070  opened by schwab

#33071: Document that PyPI no longer requires 'register'
https://bugs.python.org/issue33071  opened by p-ganssle

#33073: Add as_integer_ratio() to int() objects
https://bugs.python.org/issue33073  opened by rhettinger

#33074: dbm corrupts index on macOS (_dbm module)
https://bugs.python.org/issue33074  opened by nneonneo

#33076: Trying to cleanly terminate a threaded Queue at exit of progra
https://bugs.python.org/issue33076  opened by Delgan

#33077: typing: Unexpected result with value of instance of class inhe
https://bugs.python.org/issue33077  opened by Евгений Махмудов

#33078: Queue with maxsize can lead to deadlocks
https://bugs.python.org/issue33078  opened by tomMoral

#33079: subprocess: document the interaction between subprocess.Popen 
https://bugs.python.org/issue33079  opened by sloonz

#33080: regen-importlib is causing build races against other regen-all
https://bugs.python.org/issue33080  opened by Alexander Kanavin

#33081: multiprocessing Queue leaks a file descriptor associated with 
https://bu

[Python-Dev] Summary of Python tracker Issues

2018-03-23 Thread Python tracker

ACTIVITY SUMMARY (2018-03-16 - 2018-03-23)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6528 ( +3)
  closed 38349 (+37)
  total  44877 (+40)

Open issues with patches: 2542 


Issues opened (30)
==

#33087: No reliable clean shutdown method
https://bugs.python.org/issue33087  opened by Void2258

#33088: Cannot pass a SyncManager proxy to a multiprocessing subproces
https://bugs.python.org/issue33088  opened by jjdmon

#33089: Add multi-dimensional Euclidean distance function to the math 
https://bugs.python.org/issue33089  opened by rhettinger

#33090: race condition between send and recv in _ssl with non-zero tim
https://bugs.python.org/issue33090  opened by nneonneo

#33091: ssl.SSLError: Invalid error code (_ssl.c:2217)
https://bugs.python.org/issue33091  opened by devkid

#33092: The bytecode for f-string formatting is inefficient.
https://bugs.python.org/issue33092  opened by Mark.Shannon

#33093: Fatal error on SSL transport
https://bugs.python.org/issue33093  opened by Eric Toombs

#33095: Cross-reference isolated mode from relevant locations
https://bugs.python.org/issue33095  opened by ncoghlan

#33096: ttk.Treeview.insert() does not allow to insert item with "Fals
https://bugs.python.org/issue33096  opened by igor.yakovchenko

#33097: concurrent futures Executors accept tasks after interpreter sh
https://bugs.python.org/issue33097  opened by mrknmc

#33099: test_poplib hangs with the changes done in PR
https://bugs.python.org/issue33099  opened by jayyin11043

#33102: get the nth folder of a given path
https://bugs.python.org/issue33102  opened by amjad ben hedhili

#33105: os.path.isfile returns false on Windows when file path is long
https://bugs.python.org/issue33105  opened by ldconejo

#33106: Deleting a key in a read-only gdbm results in KeyError, not gd
https://bugs.python.org/issue33106  opened by sam-s

#33109: argparse: make new 'required' argument to add_subparsers defau
https://bugs.python.org/issue33109  opened by wolma

#33110: Adding a done callback to a concurrent.futures Future once it 
https://bugs.python.org/issue33110  opened by samm

#33111: Merely importing tkinter breaks parallel code (multiprocessing
https://bugs.python.org/issue33111  opened by ezwelty

#33113: Query performance is very low and can even lead to denial of s
https://bugs.python.org/issue33113  opened by ghi5107

#33114: random.sample() behavior is unexpected/unclear from docs
https://bugs.python.org/issue33114  opened by Scott Eilerman

#33115: Asyncio loop blocks with a lot of parallel tasks
https://bugs.python.org/issue33115  opened by decaz

#33117: asyncio example uses non-existing/documented method
https://bugs.python.org/issue33117  opened by hfingler

#33118: No clean way to get notified when a Transport's write buffer e
https://bugs.python.org/issue33118  opened by vitaly.krug

#33119: python sys.argv argument parsing not clear
https://bugs.python.org/issue33119  opened by Jonathan Huot

#33120: infinite loop in inspect.unwrap(unittest.mock.call)
https://bugs.python.org/issue33120  opened by peterdemin

#33121: recv returning 0 on closed connection not documented
https://bugs.python.org/issue33121  opened by joders

#33122: ftplib: FTP_TLS seems to have problems with sites that close t
https://bugs.python.org/issue33122  opened by jottbe

#33123: Path.unlink should have a missing_ok parameter
https://bugs.python.org/issue33123  opened by rbu

#33124: Lazy execution of module bytecode
https://bugs.python.org/issue33124  opened by nascheme

#33125: Windows 10 ARM64 platform support
https://bugs.python.org/issue33125  opened by Steven Noonan

#33126: Some C buffer protocol APIs not documented
https://bugs.python.org/issue33126  opened by pitrou



Most recent 15 issues with no replies (15)
==

#33126: Some C buffer protocol APIs not documented
https://bugs.python.org/issue33126

#33124: Lazy execution of module bytecode
https://bugs.python.org/issue33124

#33123: Path.unlink should have a missing_ok parameter
https://bugs.python.org/issue33123

#33122: ftplib: FTP_TLS seems to have problems with sites that close t
https://bugs.python.org/issue33122

#33121: recv returning 0 on closed connection not documented
https://bugs.python.org/issue33121

#33119: python sys.argv argument parsing not clear
https://bugs.python.org/issue33119

#33117: asyncio example uses non-existing/documented method
https://bugs.python.org/issue33117

#33113: Query performance is very low and can even lead to denial of s
https://bugs.python.org/issue33113

#33110: Adding a done callback to a concurrent.futures Future once it 
https://bugs.python.org/issue33110

#33099: test_poplib hangs with the changes done in PR
https://bugs.python.org/issue33099

#33096: ttk.Treeview.insert() does not allow to insert i

[Python-Dev] Summary of Python tracker Issues

2018-03-30 Thread Python tracker

ACTIVITY SUMMARY (2018-03-23 - 2018-03-30)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6543 (+14)
  closed 38393 (+46)
  total  44936 (+60)

Open issues with patches: 2548 


Issues opened (42)
==

#31793: Allow to specialize smart quotes in documentation translations
https://bugs.python.org/issue31793  reopened by mdk

#33128: PathFinder is twice on sys.meta_path
https://bugs.python.org/issue33128  opened by htgoebel

#33129: Add kwarg-only option to dataclass
https://bugs.python.org/issue33129  opened by alan_du

#33130: functools.reduce signature/docstring discordance
https://bugs.python.org/issue33130  opened by vreuter

#33131: Upgrade to pip 10 for Python 3.7
https://bugs.python.org/issue33131  opened by ncoghlan

#33132: Possible refcount issues in the compiler
https://bugs.python.org/issue33132  opened by serhiy.storchaka

#33133: Don't return implicit optional types by get_type_hints
https://bugs.python.org/issue33133  opened by levkivskyi

#33135: Define field prefixes for the various config structs
https://bugs.python.org/issue33135  opened by ncoghlan

#33136: Harden ssl module against CVE-2018-8970
https://bugs.python.org/issue33136  opened by christian.heimes

#33137: line traces may be missed on backward jumps when instrumented 
https://bugs.python.org/issue33137  opened by xdegaye

#33138: Improve standard error for uncopyable types
https://bugs.python.org/issue33138  opened by serhiy.storchaka

#33139: Bdb doesn't find instruction in linecache after pdb.set_trace(
https://bugs.python.org/issue33139  opened by prounce

#33140: shutil.chown on Windows
https://bugs.python.org/issue33140  opened by eryksun

#33144: random._randbelow optimization
https://bugs.python.org/issue33144  opened by wolma

#33146: contextlib.suppress should capture exception for inspection an
https://bugs.python.org/issue33146  opened by jason.coombs

#33147: Update references for RFC 3548 to RFC 4648
https://bugs.python.org/issue33147  opened by paulehoffman

#33148: RuntimeError('Event loop is closed') after cancelling getaddri
https://bugs.python.org/issue33148  opened by vitaly.krug

#33150: Signature error for methods of class configparser.Interpolatio
https://bugs.python.org/issue33150  opened by acue

#33152: Use list comprehension in timeit module instead of loop with a
https://bugs.python.org/issue33152  opened by Windson Yang

#33153: interpreter crash when multiplying large tuples
https://bugs.python.org/issue33153  opened by imz

#33154: subprocess.Popen ResourceWarning should have activation-deacti
https://bugs.python.org/issue33154  opened by acue

#33155: Use super().method instead in Logging
https://bugs.python.org/issue33155  opened by madsjensen

#33158: Add fileobj property to csv reader and writer objects
https://bugs.python.org/issue33158  opened by samwyse

#33159: Implement PEP 473
https://bugs.python.org/issue33159  opened by skreft

#33161: Refactor of pathlib's _WindowsBehavior.gethomedir
https://bugs.python.org/issue33161  opened by onlined

#33162: TimedRotatingFileHandler in logging module
https://bugs.python.org/issue33162  opened by Nikunj jain

#33164: Blake 2 module update
https://bugs.python.org/issue33164  opened by David Carlier

#33165: Add stacklevel parameter to logging APIs
https://bugs.python.org/issue33165  opened by ncoghlan

#33166: os.cpu_count() returns wrong number of processors on specific 
https://bugs.python.org/issue33166  opened by yanirh

#33167: RFC Documentation Updates to urllib.parse.rst
https://bugs.python.org/issue33167  opened by agnosticdev

#33168: distutils build/build_ext and --debug
https://bugs.python.org/issue33168  opened by lazka

#33169: importlib.invalidate_caches() doesn't clear all caches
https://bugs.python.org/issue33169  opened by gvanrossum

#33171: multiprocessing won't utilize all of platform resources
https://bugs.python.org/issue33171  opened by yanirh

#33173: GzipFile's .seekable() returns True even if underlying buffer 
https://bugs.python.org/issue33173  opened by Walt Askew

#33174: error building the _sha3 module with Intel 2018 compilers
https://bugs.python.org/issue33174  opened by wscullin

#33176: Allow memoryview.cast(readonly=...)
https://bugs.python.org/issue33176  opened by pitrou

#33178: Add support for BigEndianUnion and LittleEndianUnion in ctypes
https://bugs.python.org/issue33178  opened by emezh

#33179: Investigate using a context variable for zero-arg super initia
https://bugs.python.org/issue33179  opened by ncoghlan

#33180: Flag for unusable sys.executable
https://bugs.python.org/issue33180  opened by steve.dower

#33181: SimpleHTTPRequestHandler shouldn't redirect to directories wit
https://bugs.python.org/issue33181  opened by oulenz

#33184: Update OpenSSL to 1.1.0h / 1.0.2o
https://bugs.python.org/issue33184

[Python-Dev] Summary of Python tracker Issues

2018-04-06 Thread Python tracker

ACTIVITY SUMMARY (2018-03-30 - 2018-04-06)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6568 (+25)
  closed 38420 (+27)
  total  44988 (+52)

Open issues with patches: 2558 


Issues opened (40)
==

#23403: Use pickle protocol 4 by default?
https://bugs.python.org/issue23403  reopened by lukasz.langa

#31455: ElementTree.XMLParser() mishandles exceptions
https://bugs.python.org/issue31455  reopened by zach.ware

#33187: Document ElementInclude (XInclude) support in ElementTree
https://bugs.python.org/issue33187  opened by scoder

#33188: dataclass MRO entry resolution for type variable metaclasses: 
https://bugs.python.org/issue33188  opened by Ricyteach

#33189: pygettext doesn't work with f-strings
https://bugs.python.org/issue33189  opened by Riccardo Polignieri

#33190: problem with ABCMeta.__prepare__ when called after types.new_c
https://bugs.python.org/issue33190  opened by Ricyteach

#33191: Refleak in posix_spawn
https://bugs.python.org/issue33191  opened by zach.ware

#33192: asyncio should use signal.set_wakeup_fd on Windows
https://bugs.python.org/issue33192  opened by njs

#33193: Cannot create a venv on Windows when directory path contains d
https://bugs.python.org/issue33193  opened by Stuart Cuthbertson

#33194: Path-file objects does not have method to delete itself if its
https://bugs.python.org/issue33194  opened by rougeth

#33196: SEGV in mp.synchronize.Lock.__repr__ in spawn'ed proc if ctx m
https://bugs.python.org/issue33196  opened by arcivanov

#33197: Confusing error message when constructing invalid inspect.Para
https://bugs.python.org/issue33197  opened by Antony.Lee

#33198: Build on Linux with --enable-optimizations fails
https://bugs.python.org/issue33198  opened by fschulze

#33200: Optimize the empty set "literal"
https://bugs.python.org/issue33200  opened by serhiy.storchaka

#33201: Modernize "Extension types" documentation
https://bugs.python.org/issue33201  opened by pitrou

#33204: IDLE: remove \b from colorizer string prefix
https://bugs.python.org/issue33204  opened by terry.reedy

#33205: GROWTH_RATE prevents dict shrinking
https://bugs.python.org/issue33205  opened by inada.naoki

#33210: pkgutil.walk_packages "prefix" option docs are misleading
https://bugs.python.org/issue33210  opened by cykerway

#33211: lineno and col_offset are wrong on function definitions with d
https://bugs.python.org/issue33211  opened by gforcada

#33212: add several options to msgfmt.py
https://bugs.python.org/issue33212  opened by umedoblock

#33213: crypt function not hashing properly on Mac (uses a specific sa
https://bugs.python.org/issue33213  opened by Ron Reiter

#33214: join method for list and tuple
https://bugs.python.org/issue33214  opened by Javier Dehesa

#33216: Wrong order of stack for CALL_FUNCTION_VAR and CALL_FUNCTION_V
https://bugs.python.org/issue33216  opened by mvaled

#33217: x in enum.Flag member is True when x is not a Flag
https://bugs.python.org/issue33217  opened by Dutcho

#33219: x in IntFlag should test raise TypeError if x is not an IntFla
https://bugs.python.org/issue33219  opened by Dutcho

#33220: Antivirus hits on python-2.7.14.amd64.msi file
https://bugs.python.org/issue33220  opened by brett.rasmus...@inl.gov

#33221: Add stats for asyncio task usage.
https://bugs.python.org/issue33221  opened by asvetlov

#33222: Various test failures if PYTHONUSERBASE is not canonicalized
https://bugs.python.org/issue33222  opened by jdemeyer

#33223: test_posix fails ERRNO 0
https://bugs.python.org/issue33223  opened by wizofe

#33225: imaplib module IMAP4.append() unexpected response BAD Command 
https://bugs.python.org/issue33225  opened by yuy

#33227: Cmd do_something only accepts one argument
https://bugs.python.org/issue33227  opened by Oz.Tiram

#33228: Use Random.choices in tempfile
https://bugs.python.org/issue33228  opened by wolma

#33229: Documentation -  io — Core tools for working with streams - 
https://bugs.python.org/issue33229  opened by Mikhail Zakharov

#33230: _decimal build failure (unsupported platform for that module) 
https://bugs.python.org/issue33230  opened by Hubert Holin

#33232: Segmentation fault in operator.attrgetter
https://bugs.python.org/issue33232  opened by asturm

#33233: Suggest third-party cmd2 module as alternative to cmd
https://bugs.python.org/issue33233  opened by ned.deily

#33234: Improve list() pre-sizing for inputs with known lengths
https://bugs.python.org/issue33234  opened by rhettinger

#33235: Better help text for dict.setdefault
https://bugs.python.org/issue33235  opened by Paddy McCarthy

#33236: MagicMock().__iter__.return_value is different from MagicMock(
https://bugs.python.org/issue33236  opened by mrh1997

#33237: Improve AttributeError message for partially initialized modul
https://bugs.python.or

[Python-Dev] Summary of Python tracker Issues

2018-04-13 Thread Python tracker

ACTIVITY SUMMARY (2018-04-06 - 2018-04-13)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6572 ( +4)
  closed 38452 (+32)
  total  45024 (+36)

Open issues with patches: 2560 


Issues opened (24)
==

#33238: AssertionError on await of Future returned by asyncio.wrap_fut
https://bugs.python.org/issue33238  opened by Jason Haydaman

#33239: tempfile module: functions with the 'buffering' option are inc
https://bugs.python.org/issue33239  opened by MartyMacGyver

#33240: shutil.rmtree fails when the inner floder is opened in Explore
https://bugs.python.org/issue33240  opened by yuliu

#33245: Unable to send CTRL_BREAK_EVENT
https://bugs.python.org/issue33245  opened by Ofekmeister

#33249: Unpickling objects with recursive references and partials fail
https://bugs.python.org/issue33249  opened by aleneum

#33250: Move VERSION attribute output up in pydoc (via help() builtin)
https://bugs.python.org/issue33250  opened by handle

#33251: ConfigParser.items returns items present in vars
https://bugs.python.org/issue33251  opened by timster

#33252: Clarify ResourceWarning documentation
https://bugs.python.org/issue33252  opened by edmorley

#33254: importlib.resources.contents() incorrectly yields an empty lis
https://bugs.python.org/issue33254  opened by brett.cannon

#33255: json.dumps has different behaviour if encoding='utf-8' or enco
https://bugs.python.org/issue33255  opened by nhatcher

#33256: module is not displayed by cgitb.html
https://bugs.python.org/issue33256  opened by sblondon

#33257: Race conditions in Tkinter with non-threaded Tcl
https://bugs.python.org/issue33257  opened by Ivan.Pozdeev

#33258: Unable to install 3.6.5 on Windows Server 2008
https://bugs.python.org/issue33258  opened by hpo0016

#33259: Encoding issue in the name of the local DST timezone
https://bugs.python.org/issue33259  opened by maggyero

#33261: inspect.isgeneratorfunction fails on hand-created methods
https://bugs.python.org/issue33261  opened by jdemeyer

#33262: Deprecate shlex.split(None) to read from stdin.
https://bugs.python.org/issue33262  opened by christian.heimes

#33263: Asyncio server enters an invalid state after a request with SO
https://bugs.python.org/issue33263  opened by drtyrsa

#33264: Remove to-be-deprecated urllib.request.urlretrieve function re
https://bugs.python.org/issue33264  opened by adelfino

#33266: 2to3 doesn't parse all valid string literals
https://bugs.python.org/issue33266  opened by Zsolt Dollenstein

#33267: ctypes array types create reference cycles
https://bugs.python.org/issue33267  opened by Eric.Wieser

#33269: InteractiveConsole behaves differently when used on terminal a
https://bugs.python.org/issue33269  opened by Kadir Haldenbilen

#33270: tags for anonymous code objects should be interned
https://bugs.python.org/issue33270  opened by Daniel Moisset

#33271: Exception handling matches subtypes, not subclasses
https://bugs.python.org/issue33271  opened by Michael McCoy

#33272: Which are reasonable reason for recursion limit in function _v
https://bugs.python.org/issue33272  opened by mv.gavrilov



Most recent 15 issues with no replies (15)
==

#33272: Which are reasonable reason for recursion limit in function _v
https://bugs.python.org/issue33272

#33271: Exception handling matches subtypes, not subclasses
https://bugs.python.org/issue33271

#33270: tags for anonymous code objects should be interned
https://bugs.python.org/issue33270

#33263: Asyncio server enters an invalid state after a request with SO
https://bugs.python.org/issue33263

#33261: inspect.isgeneratorfunction fails on hand-created methods
https://bugs.python.org/issue33261

#33259: Encoding issue in the name of the local DST timezone
https://bugs.python.org/issue33259

#33257: Race conditions in Tkinter with non-threaded Tcl
https://bugs.python.org/issue33257

#33256: module is not displayed by cgitb.html
https://bugs.python.org/issue33256

#33255: json.dumps has different behaviour if encoding='utf-8' or enco
https://bugs.python.org/issue33255

#33251: ConfigParser.items returns items present in vars
https://bugs.python.org/issue33251

#33250: Move VERSION attribute output up in pydoc (via help() builtin)
https://bugs.python.org/issue33250

#33236: MagicMock().__iter__.return_value is different from MagicMock(
https://bugs.python.org/issue33236

#33234: Improve list() pre-sizing for inputs with known lengths
https://bugs.python.org/issue33234

#33225: imaplib module IMAP4.append() unexpected response BAD Command 
https://bugs.python.org/issue33225

#33220: Antivirus hits on python-2.7.14.amd64.msi file
https://bugs.python.org/issue33220



Most recent 15 issues waiting for review (15)
=

#33271: Exception handling mat

[Python-Dev] Summary of Python tracker Issues

2018-04-20 Thread Python tracker

ACTIVITY SUMMARY (2018-04-13 - 2018-04-20)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6587 (+15)
  closed 38484 (+32)
  total  45071 (+47)

Open issues with patches: 2573 


Issues opened (30)
==

#33274: minidom removeAttributeNode returns None
https://bugs.python.org/issue33274  opened by iter

#33275: glob.glob should explicitly note that results aren't sorted
https://bugs.python.org/issue33275  opened by Ben FrantzDale

#33276: Clarify that __path__ can't be set to just anything
https://bugs.python.org/issue33276  opened by brett.cannon

#33277: Deprecate __loader__, __package__, __file__, and __cached__ on
https://bugs.python.org/issue33277  opened by brett.cannon

#33278: libexpat uses HAVE_SYSCALL_GETRANDOM instead of HAVE_GETRANDOM
https://bugs.python.org/issue33278  opened by lemburg

#33280: Update link to Tcl/Tk 8.6 man pages in tkinter.rst
https://bugs.python.org/issue33280  opened by adelfino

#33281: ctypes.util.find_library not working on macOS
https://bugs.python.org/issue33281  opened by Ian Burgwin

#33282: Subprocess Popen communicate hung if stdin not given to Popen,
https://bugs.python.org/issue33282  opened by JatinGoel

#33284: Increase test coverage for numbers.py
https://bugs.python.org/issue33284  opened by Barry Devlin

#33286: Conflict between tqdm and multiprocessing on windows
https://bugs.python.org/issue33286  opened by schwemro

#33289: askcolor is returning floats for r,g,b values instead of ints
https://bugs.python.org/issue33289  opened by Bryan.Oakley

#33294: Support complex expressions for py-print command.
https://bugs.python.org/issue33294  opened by Martin Liška

#33295: ERROR: test_sites_no_connection_close (test.test_urllib2net.Ot
https://bugs.python.org/issue33295  opened by inada.naoki

#33296: datetime.datetime.utcfromtimestamp call decimal causes precisi
https://bugs.python.org/issue33296  opened by anglister

#33297: Mention Pillow package on tkinter.rst to work with more image 
https://bugs.python.org/issue33297  opened by adelfino

#33300: Bad usage example in id() DocString
https://bugs.python.org/issue33300  opened by gneff

#33301: Add __contains__ to pathlib
https://bugs.python.org/issue33301  opened by Alok Singh

#33302: The search for pyvenv.cfg doesn't match PEP 405
https://bugs.python.org/issue33302  opened by mattheww

#33303: ElementTree Comment text isn't escaped
https://bugs.python.org/issue33303  opened by johnburnett

#33305: Improve syntax error for numbers with leading zero
https://bugs.python.org/issue33305  opened by steven.daprano

#33306: Improving SyntaxError for unmatched parentheses
https://bugs.python.org/issue33306  opened by serhiy.storchaka

#33309: Unittest Mock objects do not freeze arguments they are called 
https://bugs.python.org/issue33309  opened by slacknate

#33311: cgitb: remove parentheses when the error is in module
https://bugs.python.org/issue33311  opened by sblondon

#33312: ubsan undefined behavior sanitizer flags struct _dictkeysobjec
https://bugs.python.org/issue33312  opened by gregory.p.smith

#33314: Bad rendering in the documentation for the os module
https://bugs.python.org/issue33314  opened by pablogsal

#33315: Allow queue.Queue to be used in type annotations
https://bugs.python.org/issue33315  opened by sproshev

#33316: PyThread_release_lock always fails
https://bugs.python.org/issue33316  opened by Ivan.Pozdeev

#33317: `repr()` of string in NFC and NFD forms does not differ
https://bugs.python.org/issue33317  opened by pekka.klarck

#33318: Move folding tuples of constants into compiler.c from peephole
https://bugs.python.org/issue33318  opened by serhiy.storchaka

#33319: `subprocess.run` documentation doesn't tell is using `stdout=P
https://bugs.python.org/issue33319  opened by pekka.klarck



Most recent 15 issues with no replies (15)
==

#33319: `subprocess.run` documentation doesn't tell is using `stdout=P
https://bugs.python.org/issue33319

#33318: Move folding tuples of constants into compiler.c from peephole
https://bugs.python.org/issue33318

#33316: PyThread_release_lock always fails
https://bugs.python.org/issue33316

#33315: Allow queue.Queue to be used in type annotations
https://bugs.python.org/issue33315

#33314: Bad rendering in the documentation for the os module
https://bugs.python.org/issue33314

#33311: cgitb: remove parentheses when the error is in module
https://bugs.python.org/issue33311

#33309: Unittest Mock objects do not freeze arguments they are called 
https://bugs.python.org/issue33309

#33306: Improving SyntaxError for unmatched parentheses
https://bugs.python.org/issue33306

#33303: ElementTree Comment text isn't escaped
https://bugs.python.org/issue33303

#33302: The search for pyvenv.cfg doesn't match PEP 405
https:/

[Python-Dev] Summary of Python tracker Issues

2018-04-27 Thread Python tracker

ACTIVITY SUMMARY (2018-04-20 - 2018-04-27)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6615 (+28)
  closed 38510 (+26)
  total  45125 (+54)

Open issues with patches: 2586 


Issues opened (45)
==

#3692: improper scope in list comprehension, when used in class decla
https://bugs.python.org/issue3692  reopened by Mariatta

#32799:  returned a resul
https://bugs.python.org/issue32799  reopened by xiang.zhang

#33144: random._randbelow optimization
https://bugs.python.org/issue33144  reopened by serhiy.storchaka

#33321: Add a Linux clang ubsan undefined behavior sanitizer buildbot
https://bugs.python.org/issue33321  opened by gregory.p.smith

#33325: Optimize sequences of constants in the compiler
https://bugs.python.org/issue33325  opened by serhiy.storchaka

#33326: Convert collections (cmp_op, hasconst, hasname and others) in 
https://bugs.python.org/issue33326  opened by godaygo

#33327: Add a method to move messages to IMAPlib
https://bugs.python.org/issue33327  opened by mcepl

#33328: pdb error when stepping through generator
https://bugs.python.org/issue33328  opened by Ricyteach

#0: Better error handling in PyImport_Cleanup()
https://bugs.python.org/issue0  opened by serhiy.storchaka

#1: Clean modules in the reversed order
https://bugs.python.org/issue1  opened by serhiy.storchaka

#2: Expose valid signal set (sigfillset())
https://bugs.python.org/issue2  opened by pitrou

#3: ConfigParser.items returns items present in `DEFAULTSECT` when
https://bugs.python.org/issue3  opened by chrBrd

#5: turtle.onkey doesn't pass key information when key is None
https://bugs.python.org/issue5  opened by je1234

#6: [imaplib] MOVE is a legal command
https://bugs.python.org/issue6  opened by mcepl

#7: Provide a supported Concrete Syntax Tree implementation in the
https://bugs.python.org/issue7  opened by lukasz.langa

#8: [lib2to3] Synchronize token.py and tokenize.py with the standa
https://bugs.python.org/issue8  opened by lukasz.langa

#9: Using default encoding with `subprocess.run()` is not obvious
https://bugs.python.org/issue9  opened by pekka.klarck

#33340: Inaccurate docs on `import` behaviour
https://bugs.python.org/issue33340  opened by sam_b

#33341: python3 fails to build if directory or sysroot contains "*icc*
https://bugs.python.org/issue33341  opened by locutusofborg

#33342: urllib IPv6 parsing fails with special characters in passwords
https://bugs.python.org/issue33342  opened by benaryorg

#33343: [argparse] Add subcommand abbreviations
https://bugs.python.org/issue33343  opened by porton

#33345: Documentation for PowerShell instructions
https://bugs.python.org/issue33345  opened by stevepiercy

#33346: Syntax error with async generator inside dictionary comprehens
https://bugs.python.org/issue33346  opened by pablogsal

#33347: zlibmodule undefined reference
https://bugs.python.org/issue33347  opened by Lucian Cristian

#33348: lib2to3 doesn't parse f(*[] or [])
https://bugs.python.org/issue33348  opened by zsol

#33349: 2to3 fails to parse async generators in non-async functions
https://bugs.python.org/issue33349  opened by zsol

#33350: WinError 10038 is raised when loop.sock_connect is wrapped wit
https://bugs.python.org/issue33350  opened by Alisue Lambda

#33351: Support compiling with clang-cl on Windows
https://bugs.python.org/issue33351  opened by Ethan Smith

#33352: Windows: test_regrtest fails on installed Python
https://bugs.python.org/issue33352  opened by vstinner

#33353: test_asyncio: test_sock_sendfile_mix_with_regular_send() hangs
https://bugs.python.org/issue33353  opened by vstinner

#33354: Python2: test_ssl fails on non-ASCII path
https://bugs.python.org/issue33354  opened by vstinner

#33355: Windows 10 buildbot: 15 min timeout on test_mmap.test_large_fi
https://bugs.python.org/issue33355  opened by vstinner

#33356: Windows 10 buildbot: test__xxsubinterpreters.test_already_runn
https://bugs.python.org/issue33356  opened by vstinner

#33357: [EASY C] test_posix.test_posix_spawn_file_actions() leaks memo
https://bugs.python.org/issue33357  opened by vstinner

#33358: [EASY] x86 Ubuntu Shared 3.x: test_embed.test_pre_initializati
https://bugs.python.org/issue33358  opened by vstinner

#33360: ALternative recipe for password using secrets
https://bugs.python.org/issue33360  opened by jpc4242

#33361: readline() + seek() on io.EncodedFile breaks next readline()
https://bugs.python.org/issue33361  opened by da

#33363: async for statement is not a syntax error in sync context
https://bugs.python.org/issue33363  opened by zsol

#33365: http/client.py does not print correct headers in debug
https://bugs.python.org/issue33365  opened by mstrigl

#33366: `contextvars` documentation incorrectly refers to "non-local s
htt

[Python-Dev] Summary of Python tracker Issues

2018-05-04 Thread Python tracker

ACTIVITY SUMMARY (2018-04-27 - 2018-05-04)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6629 (+14)
  closed 38547 (+37)
  total  45176 (+51)

Open issues with patches: 2593 


Issues opened (34)
==

#33375: warnings: get filename from frame.f_code.co_filename
https://bugs.python.org/issue33375  opened by takluyver

#33376: [pysqlite] Duplicate rows can be returned after rolling back a
https://bugs.python.org/issue33376  opened by cary

#33379: PyImport_Cleanup is called with builtins_copy == NULL in test_
https://bugs.python.org/issue33379  opened by serhiy.storchaka

#33381: Incorrect documentation for strftime()/strptime() format code 
https://bugs.python.org/issue33381  opened by jujuwoman

#33384: Build does not work with closed stdin
https://bugs.python.org/issue33384  opened by MartinHusemann

#33385: setdefault() with a single argument doesn't work for dbm.gnu a
https://bugs.python.org/issue33385  opened by serhiy.storchaka

#33387: Simplify bytecodes for try-finally, try-except and with blocks
https://bugs.python.org/issue33387  opened by Mark.Shannon

#33388: Support PEP 566 metadata in dist.py
https://bugs.python.org/issue33388  opened by rbricheno

#33389: argparse redundant help string
https://bugs.python.org/issue33389  opened by stefan

#33392: pathlib .glob('*/') returns files as well as directories
https://bugs.python.org/issue33392  opened by robbuckley

#33393: update config.guess and config.sub
https://bugs.python.org/issue33393  opened by doko

#33394: the build of the shared modules is quiet/non-visible when GNU 
https://bugs.python.org/issue33394  opened by doko

#33396: IDLE: Improve and document help doc viewer
https://bugs.python.org/issue33396  opened by terry.reedy

#33397: IDLE help viewer: let users control font size
https://bugs.python.org/issue33397  opened by terry.reedy

#33398: From, To, Cc lines break when calling send_message()
https://bugs.python.org/issue33398  opened by _savage

#33399: site.abs_paths should handle None __cached__ type
https://bugs.python.org/issue33399  opened by demian.brecht

#33400: logging.Formatter does not default to ISO8601 date format
https://bugs.python.org/issue33400  opened by paulc

#33403: asyncio.tasks.wait does not allow to set custom exception when
https://bugs.python.org/issue33403  opened by pyneda

#33406: [ctypes] increase the refcount of a callback function
https://bugs.python.org/issue33406  opened by Zuzu_Typ

#33407: Implement Py_DEPRECATED() macro for Visual Studio
https://bugs.python.org/issue33407  opened by vstinner

#33408: AF_UNIX is now supported in Windows
https://bugs.python.org/issue33408  opened by filips123

#33409: Clarify the interaction between locale coercion & UTF-8 mode
https://bugs.python.org/issue33409  opened by ncoghlan

#33411: All console message are in the error output in bash interpreto
https://bugs.python.org/issue33411  opened by Quentin Millardet

#33413: asyncio.gather should not use special Future
https://bugs.python.org/issue33413  opened by Martin.Teichmann

#33414: Make shutil.copytree use os.scandir to take advantage of cache
https://bugs.python.org/issue33414  opened by adelfino

#33415: When add_mutually_exclusive_group is built without argument, t
https://bugs.python.org/issue33415  opened by ariel-anieli

#33416: Add endline and endcolumn to every AST node
https://bugs.python.org/issue33416  opened by levkivskyi

#33417: Isinstance() behavior is not consistent with the document
https://bugs.python.org/issue33417  opened by hongweipeng

#33418: Memory leaks in functions
https://bugs.python.org/issue33418  opened by jdemeyer

#33419: Add functools.partialclass
https://bugs.python.org/issue33419  opened by NeilGirdhar

#33420: __origin__ invariant broken
https://bugs.python.org/issue33420  opened by apaszke

#33421: Missing documentation for typing.AsyncContextManager
https://bugs.python.org/issue33421  opened by Travis DePrato

#33422: Fix and update string/byte literals in help()
https://bugs.python.org/issue33422  opened by adelfino

#33423: [logging] Improve consistency of logger mechanism.
https://bugs.python.org/issue33423  opened by Daehee Kim



Most recent 15 issues with no replies (15)
==

#33421: Missing documentation for typing.AsyncContextManager
https://bugs.python.org/issue33421

#33418: Memory leaks in functions
https://bugs.python.org/issue33418

#33417: Isinstance() behavior is not consistent with the document
https://bugs.python.org/issue33417

#33416: Add endline and endcolumn to every AST node
https://bugs.python.org/issue33416

#33415: When add_mutually_exclusive_group is built without argument, t
https://bugs.python.org/issue33415

#33413: asyncio.gather should not use special Future
https://bugs.python.org/issue33413

#33409: Clarify the interac

[Python-Dev] Summary of Python tracker Issues

2018-05-11 Thread Python tracker

ACTIVITY SUMMARY (2018-05-04 - 2018-05-11)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6644 (+15)
  closed 38571 (+24)
  total  45215 (+39)

Open issues with patches: 2604 


Issues opened (34)
==

#14384: Add "default" kw argument to operator.itemgetter and operator.
https://bugs.python.org/issue14384  reopened by gvanrossum

#33426: Behavior of os.path.join does not match documentation
https://bugs.python.org/issue33426  opened by Michael Klatt

#33427: Dead link in "The Python Standard Library" page
https://bugs.python.org/issue33427  opened by lighthawk

#33428: pathlib.Path.glob does not follow symlinks
https://bugs.python.org/issue33428  opened by brianmsheldon

#33430: Import secrets module in secrets examples
https://bugs.python.org/issue33430  opened by dchimeno

#33431: Change description about doc in programming, faq.
https://bugs.python.org/issue33431  opened by lvhuiyang

#33433: ipaddress is_private misleading for IPv4 mapped IPv6 addresses
https://bugs.python.org/issue33433  opened by Thomas Kriechbaumer

#33435: incorrect detection of information of some distributions
https://bugs.python.org/issue33435  opened by mrandybu

#33436: Add an interactive shell for Sqlite3
https://bugs.python.org/issue33436  opened by rhettinger

#33437: Defining __init__ in enums
https://bugs.python.org/issue33437  opened by killerrex

#33438: pkg-config file misses flags for static linking
https://bugs.python.org/issue33438  opened by pitrou

#33439: python-config.py should be part of the stdlib
https://bugs.python.org/issue33439  opened by pitrou

#33440: Possible lazy import opportunities in `pathlib`
https://bugs.python.org/issue33440  opened by ncoghlan

#33441: Expose the sigset_t converter via private API
https://bugs.python.org/issue33441  opened by serhiy.storchaka

#33442: Python 3 doc sidebar dosnt follow page scrolling like 2.7 doc 
https://bugs.python.org/issue33442  opened by pete312

#33443: Typo in Python/import.c
https://bugs.python.org/issue33443  opened by ukwksk

#33446: destructors of local variables are not traced
https://bugs.python.org/issue33446  opened by xdegaye

#33447: Asynchronous lambda syntax
https://bugs.python.org/issue33447  opened by Noah Simon

#33448: Output_Typo_Error
https://bugs.python.org/issue33448  opened by vishva_11

#33449: Documentation for email.charset confusing about the location o
https://bugs.python.org/issue33449  opened by Francois Labelle

#33450: unexpected EPROTOTYPE returned by sendto on MAC OSX
https://bugs.python.org/issue33450  opened by racitup

#33451: Start pyc file lock the file
https://bugs.python.org/issue33451  opened by Jean-Louis Tamburini

#33452: add user notification that parent init will not be called in d
https://bugs.python.org/issue33452  opened by Ricyteach

#33453: from __future__ import annotations breaks dataclasses ClassVar
https://bugs.python.org/issue33453  opened by Ricyteach

#33454: Mismatched C function signature in _xxsubinterpreters.channel_
https://bugs.python.org/issue33454  opened by serhiy.storchaka

#33456: site.py: by default, a virtual environment is *not* isolated f
https://bugs.python.org/issue33456  opened by meribold

#33457: python-config ldflags, PEP 513 and explicit linking to libpyth
https://bugs.python.org/issue33457  opened by dimi

#33458: pdb.run() does not trace destructors of __main__
https://bugs.python.org/issue33458  opened by xdegaye

#33459: Define "tuple display" in the docs
https://bugs.python.org/issue33459  opened by adelfino

#33460: ... used to indicate many different things in chapter 3, some 
https://bugs.python.org/issue33460  opened by lew18

#33461: json.loads(encoding=) does not emit deprecation warn
https://bugs.python.org/issue33461  opened by mbussonn

#33462: reversible dict
https://bugs.python.org/issue33462  opened by selik

#33463: Can namedtuple._asdict return a regular dict instead of Ordere
https://bugs.python.org/issue33463  opened by selik

#33464: AIX and "specialized downloads" links
https://bugs.python.org/issue33464  opened by Michael.Felt



Most recent 15 issues with no replies (15)
==

#33462: reversible dict
https://bugs.python.org/issue33462

#33460: ... used to indicate many different things in chapter 3, some 
https://bugs.python.org/issue33460

#33457: python-config ldflags, PEP 513 and explicit linking to libpyth
https://bugs.python.org/issue33457

#33456: site.py: by default, a virtual environment is *not* isolated f
https://bugs.python.org/issue33456

#33454: Mismatched C function signature in _xxsubinterpreters.channel_
https://bugs.python.org/issue33454

#33451: Start pyc file lock the file
https://bugs.python.org/issue33451

#33443: Typo in Python/import.c
https://bugs.python.org/issue33443

#33442: Python 3 doc side

[Python-Dev] Summary of Python tracker Issues

2018-05-18 Thread Python tracker

ACTIVITY SUMMARY (2018-05-11 - 2018-05-18)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6686 (+42)
  closed 38637 (+66)
  total  45323 (+108)

Open issues with patches: 2630 


Issues opened (72)
==

#33466: Distutils does not support the compilation of Objective-C++ (â
https://bugs.python.org/issue33466  opened by fish2000

#33467: Python 3.7: profile-opt build errors because a test seems to h
https://bugs.python.org/issue33467  opened by Rahul Ravindran

#33468: Add try-finally contextlib.contextmanager example
https://bugs.python.org/issue33468  opened by ncoghlan

#33469: RuntimeError after closing loop that used run_in_executor
https://bugs.python.org/issue33469  opened by hniksic

#33471: string format with 'n' failling with french locales
https://bugs.python.org/issue33471  opened by David Vasseur

#33473: build system incorrectly handles CC, CFLAGS, LDFLAGS, and rela
https://bugs.python.org/issue33473  opened by eitan.adler

#33474: Support immutability per-field in dataclasses
https://bugs.python.org/issue33474  opened by Daniel Lindeman

#33475: Fix converting AST expression to string and optimize parenthes
https://bugs.python.org/issue33475  opened by serhiy.storchaka

#33476: String index out of range in get_group(), email/_header_value_
https://bugs.python.org/issue33476  opened by Cacadril

#33477: Document that compile(code, 'exec') has different behavior in 
https://bugs.python.org/issue33477  opened by mbussonn

#33479: Document tkinter and threads
https://bugs.python.org/issue33479  opened by terry.reedy

#33481: configparser.write() does not save comments.
https://bugs.python.org/issue33481  opened by pebaudhi

#33482: codecs.StreamRecoder.writelines is broken
https://bugs.python.org/issue33482  opened by Jelle Zijlstra

#33483: build system requires explicit compiler, but should discover i
https://bugs.python.org/issue33483  opened by eitan.adler

#33484: build system runs when it may merely link
https://bugs.python.org/issue33484  opened by eitan.adler

#33485: autoconf target does not behave correctly
https://bugs.python.org/issue33485  opened by eitan.adler

#33486: regen autotools related files
https://bugs.python.org/issue33486  opened by eitan.adler

#33487: BZ2File(buffering=None) does not emit deprecation warning, dep
https://bugs.python.org/issue33487  opened by mbussonn

#33489: Newer externals for windows do not always trigger rebuild
https://bugs.python.org/issue33489  opened by terry.reedy

#33490: pthread auto-detection can use AX_PTHREAD
https://bugs.python.org/issue33490  opened by eitan.adler

#33491: mistype of method's name
https://bugs.python.org/issue33491  opened by Ivan Gushchin

#33492: Updating the Evaluation order section to cover *expression in 
https://bugs.python.org/issue33492  opened by mjpieters

#33494: random.choices ought to check that cumulative weights are in a
https://bugs.python.org/issue33494  opened by steven.daprano

#33498: pathlib.Path wants an rmtree method
https://bugs.python.org/issue33498  opened by Aaron Hall

#33499: Environment variable to set alternate location for pycache tre
https://bugs.python.org/issue33499  opened by carljm

#33500: Python TKinter for Mac on latest 2.7.15 still extremely slow v
https://bugs.python.org/issue33500  opened by Michael Romero

#33501: split existing optimization levels into granular options
https://bugs.python.org/issue33501  opened by carljm

#33504: configparser should use dict instead of OrderedDict in 3.7+
https://bugs.python.org/issue33504  opened by jreese

#33505: Optimize asyncio.ensure_future by reordering if conditions
https://bugs.python.org/issue33505  opened by jimmylai

#33507: Improving the html rendered by cgitb.html
https://bugs.python.org/issue33507  opened by sblondon

#33511: Update config.sub
https://bugs.python.org/issue33511  opened by eitan.adler

#33514: async and await as keywords not mentioned in What’s New In P
https://bugs.python.org/issue33514  opened by hroncok

#33515: subprocess.Popen on a Windows batch file always acts as if she
https://bugs.python.org/issue33515  opened by abigail

#33516: unittest.mock:  Add __round__ to supported magicmock methods
https://bugs.python.org/issue33516  opened by mjpieters

#33518: Add PEP to glossary
https://bugs.python.org/issue33518  opened by adelfino

#33519: Should MutableSequence provide .copy()?
https://bugs.python.org/issue33519  opened by Jelle Zijlstra

#33521: Add 1.32x faster C implementation of asyncio.isfuture().
https://bugs.python.org/issue33521  opened by jimmylai

#33523: loop.run_until_complete re-entrancy to support more complicate
https://bugs.python.org/issue33523  opened by fried

#33524: non-ascii characters in headers causes TypeError on email.poli
https://bugs.python.org/issue33524  opened by radical164

#33525: os.spawnvpe

[Python-Dev] Summary of Python tracker Issues

2018-05-25 Thread Python tracker

ACTIVITY SUMMARY (2018-05-18 - 2018-05-25)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6699 (+13)
  closed 38700 (+63)
  total  45399 (+76)

Open issues with patches: 2638 


Issues opened (54)
==

#27485: urllib.splitport -- is it official or not?
https://bugs.python.org/issue27485  reopened by serhiy.storchaka

#27535: Ignored ResourceWarning warnings leak memory in warnings regis
https://bugs.python.org/issue27535  reopened by vstinner

#0: Better error handling in PyImport_Cleanup()
https://bugs.python.org/issue0  reopened by vstinner

#33573: statistics.median does not work with ordinal scale
https://bugs.python.org/issue33573  opened by W deW

#33575: Python relies on C undefined behavior float-cast-overflow
https://bugs.python.org/issue33575  opened by gregory.p.smith

#33576: Make exception wrapping less intrusive for __set_name__ calls
https://bugs.python.org/issue33576  opened by ncoghlan

#33578: cjkcodecs missing getstate and setstate implementations
https://bugs.python.org/issue33578  opened by libcthorne

#33579: calendar.timegm not always an inverse of time.gmtime
https://bugs.python.org/issue33579  opened by eitan.adler

#33581: Document "optional components that are commonly included in Py
https://bugs.python.org/issue33581  opened by Antony.Lee

#33582: formatargspec deprecated but does nto emit DeprecationWarning.
https://bugs.python.org/issue33582  opened by mbussonn

#33586: 2.7.15 missing release notes on download page
https://bugs.python.org/issue33586  opened by ericvw

#33587: inspect.getsource performs unnecessary filesystem stat call wh
https://bugs.python.org/issue33587  opened by Pankaj Pandey

#33590: sched.enter priority has no impact on execution
https://bugs.python.org/issue33590  opened by sahilmn

#33591: ctypes does not support fspath protocol
https://bugs.python.org/issue33591  opened by mrh1997

#33592: Document contextvars C API
https://bugs.python.org/issue33592  opened by Elvis.Pranskevichus

#33594: add deprecation since 3.5 for a few methods of inspect.
https://bugs.python.org/issue33594  opened by mbussonn

#33595: FIx references to lambda "arguments"
https://bugs.python.org/issue33595  opened by adelfino

#33597: Compact PyGC_Head
https://bugs.python.org/issue33597  opened by inada.naoki

#33598: ActiveState Recipes links in docs, and the apparent closure of
https://bugs.python.org/issue33598  opened by tritium

#33600: [EASY DOC] Python 2: document that platform.linux_distribution
https://bugs.python.org/issue33600  opened by vstinner

#33601: [EASY DOC] Py_UTF8Mode is not documented
https://bugs.python.org/issue33601  opened by serhiy.storchaka

#33602: Remove set and queue references from Data Types
https://bugs.python.org/issue33602  opened by adelfino

#33603: Subprocess Thread handles grow with each call and aren't relea
https://bugs.python.org/issue33603  opened by GranPrego

#33604: HMAC default to MD5 marked as to be removed in 3.6
https://bugs.python.org/issue33604  opened by mbussonn

#33605: Detect accessing event loop from a different thread outside of
https://bugs.python.org/issue33605  opened by hniksic

#33606: Improve logging performance when logger disabled
https://bugs.python.org/issue33606  opened by vinay.sajip

#33607: [subinterpreters] Explicitly track object ownership (and alloc
https://bugs.python.org/issue33607  opened by eric.snow

#33608: [subinterpreters] Add a cross-interpreter-safe mechanism to in
https://bugs.python.org/issue33608  opened by eric.snow

#33609: Document that dicts preserve insertion order
https://bugs.python.org/issue33609  opened by yselivanov

#33610: IDLE: Make multiple improvements to CodeContext
https://bugs.python.org/issue33610  opened by terry.reedy

#33613: test_multiprocessing_fork: test_semaphore_tracker_sigint() fai
https://bugs.python.org/issue33613  opened by vstinner

#33614: Compilation of Python fails on AMD64 Windows8.1 Refleaks 3.x
https://bugs.python.org/issue33614  opened by vstinner

#33615: test__xxsubinterpreters crashed on x86 Gentoo Refleaks 3.x
https://bugs.python.org/issue33615  opened by vstinner

#33616: typing.NoReturn is undocumented
https://bugs.python.org/issue33616  opened by srittau

#33617: subprocess.Popen etc do not accept os.PathLike in passed seque
https://bugs.python.org/issue33617  opened by altendky

#33618: Support TLS 1.3
https://bugs.python.org/issue33618  opened by christian.heimes

#33623: Fix possible SIGSGV when asyncio.Future is created in __del__
https://bugs.python.org/issue33623  opened by yselivanov

#33624: Implement subclass hooks for asyncio abstract classes
https://bugs.python.org/issue33624  opened by asvetlov

#33625: Release GIL for grp.getgr{nam,gid} and pwd.getpw{nam,uid}
https://bugs.python.org/issue33625  opened by wg

#33627: test-complex of test_numeric_tower.te

[Python-Dev] Summary of Python tracker Issues

2018-06-01 Thread Python tracker


ACTIVITY SUMMARY (2018-05-25 - 2018-06-01)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6684 (-15)
  closed 38802 (+102)
  total  45486 (+87)

Open issues with patches: 2631 


Issues opened (64)
==

#31731: [2.7] test_io hangs on x86 Gentoo Refleaks 2.7
https://bugs.python.org/issue31731  reopened by zach.ware

#33532: test_multiprocessing_forkserver: TestIgnoreEINTR.test_ignore()
https://bugs.python.org/issue33532  reopened by vstinner

#33622: Fix and improve errors handling in the garbage collector
https://bugs.python.org/issue33622  reopened by serhiy.storchaka

#33649: asyncio docs overhaul
https://bugs.python.org/issue33649  opened by yselivanov

#33650: Prohibit adding a signal handler for SIGCHLD
https://bugs.python.org/issue33650  opened by yselivanov

#33656: IDLE: Turn on DPI awareness on Windows
https://bugs.python.org/issue33656  opened by terry.reedy

#33658: Introduce a method to concatenate regex patterns
https://bugs.python.org/issue33658  opened by aleskva

#33660: pathlib.Path.resolve() returns path with double slash when res
https://bugs.python.org/issue33660  opened by QbLearningPython

#33661: urllib may leak sensitive HTTP headers to a third-party web si
https://bugs.python.org/issue33661  opened by artem.smotrakov

#33663: Web.py wsgiserver3.py raises TypeError when CSS file is not fo
https://bugs.python.org/issue33663  opened by jmlp

#33664: IDLE:  scroll text by lines, not pixels.
https://bugs.python.org/issue33664  opened by terry.reedy

#33665: tkinter.ttk.Scrollbar.fraction() is inaccurate, or at least in
https://bugs.python.org/issue33665  opened by pez

#33666: Document removal of os.errno
https://bugs.python.org/issue33666  opened by hroncok

#33668: Wrong behavior of help function on module
https://bugs.python.org/issue33668  opened by Oleg.Oleinik

#33669: str.format should raise exception when placeholder number does
https://bugs.python.org/issue33669  opened by xiang.zhang

#33671: Efficient zero-copy for shutil.copy* functions (Linux, OSX and
https://bugs.python.org/issue33671  opened by giampaolo.rodola

#33676: test_multiprocessing_fork: dangling threads warning
https://bugs.python.org/issue33676  opened by vstinner

#33678: selector_events.BaseSelectorEventLoop.sock_connect should pres
https://bugs.python.org/issue33678  opened by sebastien.bourdeauducq

#33679: IDLE: Configurable color on code context
https://bugs.python.org/issue33679  opened by cheryl.sabella

#33680: regrtest: re-run failed tests in a subprocess
https://bugs.python.org/issue33680  opened by vstinner

#33683: asyncio: sendfile tests ignore SO_SNDBUF on Windows
https://bugs.python.org/issue33683  opened by vstinner

#33684: parse failed for mutibytes characters, encode will show in \xx
https://bugs.python.org/issue33684  opened by zhou.ronghua

#33686: test_concurrent_futures: test_pending_calls_race() failed on x
https://bugs.python.org/issue33686  opened by vstinner

#33687: uu.py calls os.path.chmod which doesn't exist
https://bugs.python.org/issue33687  opened by bsdphk

#33688: asyncio child watchers aren't fork friendly
https://bugs.python.org/issue33688  opened by yselivanov

#33689: Blank lines in .pth file cause a duplicate sys.path entry
https://bugs.python.org/issue33689  opened by Malcolm Smith

#33692: Chinese characters issue with input() function
https://bugs.python.org/issue33692  opened by Valentin Zhao

#33694: test_asyncio: test_start_tls_server_1() fails on Python on x86
https://bugs.python.org/issue33694  opened by vstinner

#33695: Have shutil.copytree(), copy() and copystat() use cached scand
https://bugs.python.org/issue33695  opened by giampaolo.rodola

#33696: Install python-docs-theme even if SPHINXBUILD is defined
https://bugs.python.org/issue33696  opened by adelfino

#33697: test_zipfile.test_write_filtered_python_package() failed on Ap
https://bugs.python.org/issue33697  opened by vstinner

#33698: `._pth` does not allow to populate `sys.path` with empty entry
https://bugs.python.org/issue33698  opened by excitoon

#33699: Don't describe try's else clause in a footnote
https://bugs.python.org/issue33699  opened by adelfino

#33700: [doc] Old version picker don't understand language tags in URL
https://bugs.python.org/issue33700  opened by mdk

#33701: test_datetime crashed (SIGSEGV) on Travis CI
https://bugs.python.org/issue33701  opened by vstinner

#33702: Add some missings links in production lists and a little polis
https://bugs.python.org/issue33702  opened by adelfino

#33705: Unicode is normalised after keywords are checked for
https://bugs.python.org/issue33705  opened by steven.daprano

#33708: Doc: Asyncio's Event documentation typo.
https://bugs.python.org/issue33708  opened by socketpair

#33709: test.support.FS_NONASCII returns incorrect result in Windows w
http

[Python-Dev] Summary of Python tracker Issues

2018-06-08 Thread Python tracker

ACTIVITY SUMMARY (2018-06-01 - 2018-06-08)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6691 ( +8)
  closed 38869 (+66)
  total  45560 (+74)

Open issues with patches: 2640 


Issues opened (39)
==

#23835: configparser does not convert defaults to strings
https://bugs.python.org/issue23835  reopened by barry

#24622: tokenize.py: missing EXACT_TOKEN_TYPES
https://bugs.python.org/issue24622  reopened by skrah

#33736: Improve the documentation of asyncio stream API
https://bugs.python.org/issue33736  opened by Elvis.Pranskevichus

#33738: PyIndex_Check conflicts with PEP 384
https://bugs.python.org/issue33738  opened by Christian.Tismer

#33740: PyByteArray_AsString C-API description lacks the assurance, th
https://bugs.python.org/issue33740  opened by realead

#33741: UnicodeEncodeError onsmtplib.login(MAIL_USER, MAIL_PASSWORD)
https://bugs.python.org/issue33741  opened by JustAnother1

#33742: Unsafe memory access in PyStructSequence_InitType
https://bugs.python.org/issue33742  opened by Pasha Stetsenko

#33745: 3.7.0b5 changes the line number of empty functions with docstr
https://bugs.python.org/issue33745  opened by nedbat

#33746: testRegisterResult in test_unittest fails in verbose mode
https://bugs.python.org/issue33746  opened by serhiy.storchaka

#33747: Failed separate test_patch_propogrates_exc_on_exit in test_uni
https://bugs.python.org/issue33747  opened by serhiy.storchaka

#33748: test_discovery_failed_discovery in test_unittest modifies sys.
https://bugs.python.org/issue33748  opened by serhiy.storchaka

#33751: Failed separate testTruncateOnWindows in test_file
https://bugs.python.org/issue33751  opened by serhiy.storchaka

#33754: f-strings should be part of the Grammar
https://bugs.python.org/issue33754  opened by davidhalter

#33757: Failed separate test_pdb_next_command_in_generator_for_loop in
https://bugs.python.org/issue33757  opened by serhiy.storchaka

#33758: Unexpected success of test_get_type_hints_modules_forwardref  
https://bugs.python.org/issue33758  opened by serhiy.storchaka

#33762: temp file isn't IOBase
https://bugs.python.org/issue33762  opened by Dutcho

#33766: Grammar Incongruence
https://bugs.python.org/issue33766  opened by Isaac Elliott

#33770: base64 throws 'incorrect padding' exception when the issue is 
https://bugs.python.org/issue33770  opened by dniq

#33771: Module: timeit. According to documentation default_repeat shou
https://bugs.python.org/issue33771  opened by svyatoslav

#33772: Fix few dead code paths
https://bugs.python.org/issue33772  opened by David Carlier

#33774: Document that @lru_cache caches based on exactly how the funct
https://bugs.python.org/issue33774  opened by solstag

#33775: argparse: the word 'default' (in help) is not marked as transl
https://bugs.python.org/issue33775  opened by woutgg

#33777: dummy_threading: .is_alive method returns True after execution
https://bugs.python.org/issue33777  opened by njatkinson

#33779: Error while installing python 3.6.5 on windows 10
https://bugs.python.org/issue33779  opened by sid1987

#33780: [subprocess] Better Unicode support for shell=True on Windows
https://bugs.python.org/issue33780  opened by Yoni Rozenshein

#33782: VSTS Windows-PR: internal error
https://bugs.python.org/issue33782  opened by vstinner

#33783: Use proper class markup for random.Random docs
https://bugs.python.org/issue33783  opened by ncoghlan

#33787: Argument clinic and Windows line endings
https://bugs.python.org/issue33787  opened by giampaolo.rodola

#33788: Argument clinic: use path_t in _winapi.c
https://bugs.python.org/issue33788  opened by giampaolo.rodola

#33793: asyncio: _ProactorReadPipeTransport reads by chunk of 32 KiB: 
https://bugs.python.org/issue33793  opened by vstinner

#33797: json int encoding incorrect for dbus.Byte
https://bugs.python.org/issue33797  opened by radsquirrel

#33799: Remove non-ordered dicts comments from FAQ
https://bugs.python.org/issue33799  opened by adelfino

#33800: Fix default argument for parameter dict_type of ConfigParser/R
https://bugs.python.org/issue33800  opened by adelfino

#33801: Remove non-ordered dict comment from plistlib
https://bugs.python.org/issue33801  opened by adelfino

#33802: Regression in logging configuration
https://bugs.python.org/issue33802  opened by barry

#33804: Document the default value of the size parameter of io.TextIOB
https://bugs.python.org/issue33804  opened by adelfino

#33805: dataclasses: replace() give poor error message if using InitVa
https://bugs.python.org/issue33805  opened by eric.smith

#33808: ssl.get_server_certificate fails with openssl 1.1.0 but works 
https://bugs.python.org/issue33808  opened by dsanghan

#33809: Expose `capture_locals` parameter in `traceback` convenience f
https://bugs.python.org/issue33809  opened by ulope



M

[Python-Dev] Summary of Python tracker Issues

2018-06-15 Thread Python tracker

ACTIVITY SUMMARY (2018-06-08 - 2018-06-15)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6691 ( -1)
  closed 38930 (+62)
  total  45621 (+61)

Open issues with patches: 2644 


Issues opened (42)
==

#33656: IDLE: Turn on DPI awareness on Windows
https://bugs.python.org/issue33656  reopened by terry.reedy

#33811: asyncio accepting connection limit
https://bugs.python.org/issue33811  opened by lguo

#33813: Update overdue 'Deprecated ... removed in 3.x' messages
https://bugs.python.org/issue33813  opened by terry.reedy

#33816: New metaclass example for Data Model topic
https://bugs.python.org/issue33816  opened by adelfino

#33817: PyString_FromFormatV() fails to build empty strings
https://bugs.python.org/issue33817  opened by Tey

#33820: IDLE subsection of What's New 3.6
https://bugs.python.org/issue33820  opened by terry.reedy

#33821: IDLE subsection of What's New 3.7
https://bugs.python.org/issue33821  opened by terry.reedy

#33822: IDLE subsection of What's New 3.8
https://bugs.python.org/issue33822  opened by terry.reedy

#33823: A BUG in concurrent/asyncio
https://bugs.python.org/issue33823  opened by Python++

#33824: Settign LANG=C modifies the --version behavior
https://bugs.python.org/issue33824  opened by hroncok

#33826: enable discovery of class source code in IPython interactively
https://bugs.python.org/issue33826  opened by t-vi

#33829: C API: provide new object protocol helper
https://bugs.python.org/issue33829  opened by Bartosz Gołaszewski

#33830: Error in the output of one example in the httplib docs
https://bugs.python.org/issue33830  opened by Aifu LIU

#33832: Make "magic methods" a little more discoverable in the docs
https://bugs.python.org/issue33832  opened by adelfino

#33833: ProactorEventLoop raises AssertionError
https://bugs.python.org/issue33833  opened by twisteroid ambassador

#33834: Test for ProactorEventLoop logs InvalidStateError
https://bugs.python.org/issue33834  opened by twisteroid ambassador

#33836: [Good first-time issue] Recommend keyword-only param for memoi
https://bugs.python.org/issue33836  opened by zach.ware

#33837: Closing asyncio.Server on asyncio.ProactorEventLoop causes all
https://bugs.python.org/issue33837  opened by mliska

#33838: Very slow upload with http.client on Windows when setting time
https://bugs.python.org/issue33838  opened by ivknv

#33839: IDLE tooltips.py: refactor and add docstrings and tests
https://bugs.python.org/issue33839  opened by terry.reedy

#33840: connection limit on listening socket in asyncio
https://bugs.python.org/issue33840  opened by lguo

#33841: lock not released in threading.Condition
https://bugs.python.org/issue33841  opened by lev.maximov

#33842: Remove tarfile.filemode
https://bugs.python.org/issue33842  opened by inada.naoki

#33843: Remove deprecated stuff in cgi module
https://bugs.python.org/issue33843  opened by inada.naoki

#33846: Misleading error message in urllib.parse.unquote
https://bugs.python.org/issue33846  opened by thet

#33847: doc: Add '@' operator entry to index
https://bugs.python.org/issue33847  opened by adelfino

#33851: 3.7 regression: ast.get_docstring() for a node that lacks a do
https://bugs.python.org/issue33851  opened by mgedmin

#33852: doc Remove parentheses from sequence subscription description
https://bugs.python.org/issue33852  opened by adelfino

#33854: doc Add PEP title in seealso of Built-in Types
https://bugs.python.org/issue33854  opened by adelfino

#33855: IDLE: Minimally test every non-startup module.
https://bugs.python.org/issue33855  opened by terry.reedy

#33856: Type "help" is not present on win32
https://bugs.python.org/issue33856  opened by matrixise

#33857: python exception on Solaris : code for hash blake2b was not fo
https://bugs.python.org/issue33857  opened by goron

#33858: A typo in multiprocessing documentation
https://bugs.python.org/issue33858  opened by aruseni

#33859: Spelling mistakes found using aspell
https://bugs.python.org/issue33859  opened by xtreak

#33861: Minor improvements of tests for os.path.
https://bugs.python.org/issue33861  opened by serhiy.storchaka

#33864: collections.abc.ByteString does not register memoryview
https://bugs.python.org/issue33864  opened by fried

#33865: [EASY] Missing code page aliases: "unknown encoding: 874"
https://bugs.python.org/issue33865  opened by winvinc

#33866: Stop using OrderedDict in enum
https://bugs.python.org/issue33866  opened by inada.naoki

#33867: Module dicts are wiped on module garbage collection
https://bugs.python.org/issue33867  opened by natedogith1

#33868: test__xxsubinterpreters: test_subinterpreter() fails randomly 
https://bugs.python.org/issue33868  opened by vstinner

#33869: doc Add set, frozen set, and tuple entries to Glossary
https://bug

[Python-Dev] Summary of Python tracker Issues

2018-06-22 Thread Python tracker


ACTIVITY SUMMARY (2018-06-15 - 2018-06-22)
Python tracker at https://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open6700 ( +9)
  closed 38994 (+64)
  total  45694 (+73)

Open issues with patches: 2651 


Issues opened (49)
==

#23660: Turtle left/right inverted when using different coordinates or
https://bugs.python.org/issue23660  reopened by willingc

#32500: PySequence_Length() raises TypeError on dict type
https://bugs.python.org/issue32500  reopened by serhiy.storchaka

#33871: Possible integer overflow in iov_setup()
https://bugs.python.org/issue33871  opened by serhiy.storchaka

#33873: False positives when running leak tests with -R 1:1
https://bugs.python.org/issue33873  opened by pablogsal

#33875: Allow dynamic password evaluation in pypirc configuration file
https://bugs.python.org/issue33875  opened by jperras

#33877: doc Mention Windows along UNIX for script running instructions
https://bugs.python.org/issue33877  opened by adelfino

#33878: Doc: Assignment statement to tuple or list: case missing.
https://bugs.python.org/issue33878  opened by mdk

#33880: namedtuple should use NFKD to find duplicate members
https://bugs.python.org/issue33880  opened by John Cooke

#33881: dataclasses should use NFKC to find duplicate members
https://bugs.python.org/issue33881  opened by eric.smith

#33882: doc Mention breakpoint() in debugger-related FAQ
https://bugs.python.org/issue33882  opened by adelfino

#33883: doc Mention mypy, pytype and PyAnnotate in FAQ
https://bugs.python.org/issue33883  opened by adelfino

#33884: [multiprocessing] Multiprocessing in spawn mode doesn't work w
https://bugs.python.org/issue33884  opened by Yoni Rozenshein

#33885: doc Replace "hook function" with "callable" in urllib.request.
https://bugs.python.org/issue33885  opened by adelfino

#33886: SSL on aiomysql hangs on reconnection
https://bugs.python.org/issue33886  opened by andr04

#33887: doc Add TOC in Design and History FAQ
https://bugs.python.org/issue33887  opened by adelfino

#33888: Use CPython instead of Python when talking about implementatio
https://bugs.python.org/issue33888  opened by adelfino

#33894: tempfile.tempdir cannot be unset
https://bugs.python.org/issue33894  opened by philiprowlands

#33895: LoadLibraryExW called with GIL held can cause deadlock
https://bugs.python.org/issue33895  opened by Tony Roberts

#33896: Document what components make up the filecmp.cmp os.stat signa
https://bugs.python.org/issue33896  opened by Dean Morin

#33897: Add a restart option to logging.basicConfig()
https://bugs.python.org/issue33897  opened by rhettinger

#33898: pathlib issues with Windows device paths
https://bugs.python.org/issue33898  opened by eryksun

#33899: Tokenize module does not mirror "end-of-input" is newline beha
https://bugs.python.org/issue33899  opened by ammar2

#33909: PyObject_CallFinalizerFromDealloc is not referenced in any doc
https://bugs.python.org/issue33909  opened by Eric.Wieser

#33911: [EASY] test_docxmlrpc fails when run with -Werror
https://bugs.python.org/issue33911  opened by vstinner

#33913: test_multiprocessing_spawn random failures on x86 Windows7 3.6
https://bugs.python.org/issue33913  opened by vstinner

#33914: test_gdb fails for Python 2.7.15
https://bugs.python.org/issue33914  opened by vibhutisawant

#33916: test_lzma: test_refleaks_in_decompressor___init__() leaks 100 
https://bugs.python.org/issue33916  opened by vstinner

#33918: Hooking into pause/resume of iterators/coroutines
https://bugs.python.org/issue33918  opened by Liran Nuna

#33919: Expose _PyCoreConfig structure to Python
https://bugs.python.org/issue33919  opened by barry

#33920: test_asyncio: test_run_coroutine_threadsafe_with_timeout() fai
https://bugs.python.org/issue33920  opened by vstinner

#33921: Explain that '' can be used to bind to all interfaces for the 
https://bugs.python.org/issue33921  opened by John Hagen

#33923: py.ini cannot set 32/64bits for specific version
https://bugs.python.org/issue33923  opened by mrh1997

#33926: test_gdb is skipped in builds since gdb is not installed as pa
https://bugs.python.org/issue33926  opened by xtreak

#33927: Allow json.tool to have identical infile and outfile
https://bugs.python.org/issue33927  opened by kuhlmann

#33929: test_multiprocessing_spawn: WithProcessesTestProcess.test_many
https://bugs.python.org/issue33929  opened by vstinner

#33930: Segfault with deep recursion into object().__dir__
https://bugs.python.org/issue33930  opened by a-j-buxton

#33931: Building 2.7 on Windows with PC\VS9.0 is broken
https://bugs.python.org/issue33931  opened by anselm.kruis

#33932: Calling Py_Initialize() twice now triggers a fatal error (Pyth
https://bugs.python.org/issue33932  opened by vstinner

#33933: Error message says dict has no len
https://bugs.python.org/issue33

[Python-Dev] Summary of Python tracker Issues

2015-05-22 Thread Python tracker

ACTIVITY SUMMARY (2015-05-15 - 2015-05-22)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4833 ( -7)
  closed 31194 (+71)
  total  36027 (+64)

Open issues with patches: 2219 


Issues opened (40)
==

#24147: Dialect class defaults are not documented.
http://bugs.python.org/issue24147  reopened by r.david.murray

#24203: Depreciate threading.Thread.isDaemon etc
http://bugs.python.org/issue24203  opened by anon

#24204: string.strip() documentation is misleading
http://bugs.python.org/issue24204  opened by PhoenixofMT

#24206: Issues with equality of inspect objects
http://bugs.python.org/issue24206  opened by serhiy.storchaka

#24207: Argument Clinic doesn't mangle conflicting names
http://bugs.python.org/issue24207  opened by serhiy.storchaka

#24209: Allow IPv6 bind in http.server
http://bugs.python.org/issue24209  opened by Link Mauve

#24212: Idle, 2.7, backport idlelib.__main__, enable py -m idlelib
http://bugs.python.org/issue24212  opened by terry.reedy

#24214: Exception with utf-8, surrogatepass and incremental decoding
http://bugs.python.org/issue24214  opened by RalfM

#24215: test_trace uses test_pprint
http://bugs.python.org/issue24215  opened by serhiy.storchaka

#24217: O_RDWR undefined in mmapmodule.c
http://bugs.python.org/issue24217  opened by Jeffrey.Armstrong

#24219: Repeated integer in Lexical analysis/Integer literals section
http://bugs.python.org/issue24219  opened by vlth

#24224: test_msilib is inadequate
http://bugs.python.org/issue24224  opened by zach.ware

#24225: Idlelib: changing file names
http://bugs.python.org/issue24225  opened by Al.Sweigart

#24228: Interpreter triggers  segmentation fault  at the starting
http://bugs.python.org/issue24228  opened by mdootb

#24229: pathlib.Path should have a copy() method
http://bugs.python.org/issue24229  opened by jshholland

#24230: tempfile.mkdtemp() doesn't work with bytes paths
http://bugs.python.org/issue24230  opened by durin42

#24231: os.makedirs('/', exist_ok=True) fails on Darwin
http://bugs.python.org/issue24231  opened by mew

#24234: Should we define complex.__complex__ and bytes.__bytes__?
http://bugs.python.org/issue24234  opened by gvanrossum

#24235: ABCs don't fail metaclass instantiation
http://bugs.python.org/issue24235  opened by Devin Jeanpierre

#24238: Avoid entity expansion attacks in Element Tree
http://bugs.python.org/issue24238  opened by vadmium

#24239: Allow to  configure which gpg to use in distutils upload
http://bugs.python.org/issue24239  opened by ced

#24241: webbrowser default browser detection and/or public API for _tr
http://bugs.python.org/issue24241  opened by daves

#24243: behavior for finding an empty string is inconsistent with docu
http://bugs.python.org/issue24243  opened by swanson

#24244: Python exception on strftime with %f on Python 3 and Python 2 
http://bugs.python.org/issue24244  opened by MajeedArni

#24247: "unittest discover" does modify sys.path
http://bugs.python.org/issue24247  opened by redixin

#24249: unittest API for detecting test failure in cleanup/teardown
http://bugs.python.org/issue24249  opened by r.david.murray

#24251: Different behavior for argparse between 2.7.8 and 2.7.9 when a
http://bugs.python.org/issue24251  opened by hhuang

#24252: IDLE removes elements from tracebacks.
http://bugs.python.org/issue24252  opened by ppperry

#24253: pydoc for namespace packages indicates FILE as built-in
http://bugs.python.org/issue24253  opened by Antony.Lee

#24254: Make class definition namespace ordered by default
http://bugs.python.org/issue24254  opened by eric.snow

#24255: Replace debuglevel-related logic with logging
http://bugs.python.org/issue24255  opened by demian.brecht

#24256: threading.Timer is not a class
http://bugs.python.org/issue24256  opened by jrunyon

#24258: BZ2File objects do not have name attribute
http://bugs.python.org/issue24258  opened by jojko.sivek

#24259: tar.extractall() does not recognize unexpected EOF
http://bugs.python.org/issue24259  opened by Thomas Güttler

#24260: TabError behavior doesn't match documentation
http://bugs.python.org/issue24260  opened by abacabadabacaba

#24261: Add a command line flag to suppress default signal handlers
http://bugs.python.org/issue24261  opened by abacabadabacaba

#24263: Why VALID_MODULE_NAME in unittest/loader.py is r'[_a-z]\w*\.py
http://bugs.python.org/issue24263  opened by sih4sing5hong5

#24264: imageop Unsafe Arithmetic
http://bugs.python.org/issue24264  opened by JohnLeitch

#24265: IDLE produces error message when run with both -s and -c.
http://bugs.python.org/issue24265  opened by ppperry

#24266: raw_input function (with readline): Ctrl+C (during search mode
http://bugs.python.org/issue24266  opened by sping



Most recent 15 issues with no replies (15)
=

[Python-Dev] Summary of Python tracker Issues

2015-05-29 Thread Python tracker

ACTIVITY SUMMARY (2015-05-22 - 2015-05-29)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4844 (+11)
  closed 31241 (+47)
  total  36085 (+58)

Open issues with patches: 2217 


Issues opened (38)
==

#23970: Update distutils.msvccompiler for VC14
http://bugs.python.org/issue23970  reopened by benjamin.peterson

#23996: _PyGen_FetchStopIterationValue() crashes on unnormalised excep
http://bugs.python.org/issue23996  reopened by scoder

#24267: test_venv.EnsurePipTest.test_with_pip triggers version check o
http://bugs.python.org/issue24267  opened by vadmium

#24270: PEP 485 (math.isclose) implementation
http://bugs.python.org/issue24270  opened by ncoghlan

#24272: PEP 484 docs
http://bugs.python.org/issue24272  opened by gvanrossum

#24274: erroneous comments in dictobject.c
http://bugs.python.org/issue24274  opened by Jim.Jewett

#24277: Take the new email package features out of provisional status
http://bugs.python.org/issue24277  opened by r.david.murray

#24278: Docs on Parsing arguments should say something about mem mgmt 
http://bugs.python.org/issue24278  opened by blais

#24279: Update test_base64 to use test.support.script_helper
http://bugs.python.org/issue24279  opened by bobcatfish

#24280: Unable to install Python
http://bugs.python.org/issue24280  opened by Jeff77789

#24284: Inconsistency in startswith/endswith
http://bugs.python.org/issue24284  opened by serhiy.storchaka

#24287: Let ElementTree prolog include comments and processing instruc
http://bugs.python.org/issue24287  opened by rhettinger

#24290: c_uint32 bitfields break structures
http://bugs.python.org/issue24290  opened by Rony Batista

#24291: wsgiref.handlers.SimpleHandler truncates large output blobs
http://bugs.python.org/issue24291  opened by Jonathan Kamens

#24292: wsgiref.simple_server.WSGIRequestHandler doesn't log request t
http://bugs.python.org/issue24292  opened by Jonathan Kamens

#24294: DeprecationWarnings should be visible by default in the intera
http://bugs.python.org/issue24294  opened by njs

#24295: Backport of #17086 causes regression in setup.py
http://bugs.python.org/issue24295  opened by moritzs

#24296: Queue documentation note needed
http://bugs.python.org/issue24296  opened by Sandy Chapman

#24299: 2.7.10 test__locale.py change breaks on Solaris
http://bugs.python.org/issue24299  opened by jbeck

#24300: Code Refactoring  in function nis_mapname()
http://bugs.python.org/issue24300  opened by pankaj.s01

#24301: gzip module failing to decompress valid compressed file
http://bugs.python.org/issue24301  opened by Eric Gorr

#24302: Dead Code of Handler check in function faulthandler_fatal_erro
http://bugs.python.org/issue24302  opened by pankaj.s01

#24303: OSError 17 due to _multiprocessing/semaphore.c assuming a one-
http://bugs.python.org/issue24303  opened by Paul Hobbs

#24305: The new import system makes it impossible to correctly issue a
http://bugs.python.org/issue24305  opened by njs

#24306: Backport py.exe to 3.4
http://bugs.python.org/issue24306  opened by steve.dower

#24307: pip error on windows whose current user name contains non-asci
http://bugs.python.org/issue24307  opened by tanbro-liu

#24308: Test failure: test_with_pip (test.test_venv.EnsurePipTest in 3
http://bugs.python.org/issue24308  opened by koobs

#24309: string.Template should be using str.format and/or deprecated
http://bugs.python.org/issue24309  opened by vlth

#24310: Idle documentation -- what to do if you do not see an undersco
http://bugs.python.org/issue24310  opened by lac

#24313: json fails to serialise numpy.int64
http://bugs.python.org/issue24313  opened by thomas-arildsen

#24314: irrelevant cross-link in documentation of user-defined functio
http://bugs.python.org/issue24314  opened by july

#24317: Change installer Customize default to match quick settings
http://bugs.python.org/issue24317  opened by steve.dower

#24318: Better documentaiton of profile-opt (and release builds in gen
http://bugs.python.org/issue24318  opened by skip.montanaro

#24319: Crash during "make coverage-report"
http://bugs.python.org/issue24319  opened by skip.montanaro

#24320: Remove a now-unnecessary workaround from importlib._bootstrap.
http://bugs.python.org/issue24320  opened by eric.snow

#24322: Hundreds of linker warnings on Windows
http://bugs.python.org/issue24322  opened by BreamoreBoy

#24323: Typo in Mutable Sequence Types documentation.
http://bugs.python.org/issue24323  opened by eimista

#24324: Remove -Wunreachable-code flag
http://bugs.python.org/issue24324  opened by skip.montanaro



Most recent 15 issues with no replies (15)
==

#24324: Remove -Wunreachable-code flag
http://bugs.python.org/issue24324

#24322: Hundreds of linker warnings on Windows
http://bugs.python.org/issue24322

#24319: Cra

[Python-Dev] Summary of Python tracker Issues

2015-06-05 Thread Python tracker

ACTIVITY SUMMARY (2015-05-29 - 2015-06-05)
Python tracker at http://bugs.python.org/

To view or respond to any of the issues listed below, click on the issue.
Do NOT respond to this message.

Issues counts and deltas:
  open4853 ( +9)
  closed 31295 (+54)
  total  36148 (+63)

Open issues with patches: 2225 


Issues opened (30)
==

#23239: SSL match_hostname does not accept IP Address
http://bugs.python.org/issue23239  reopened by christian.heimes

#24325: Speedup types.coroutine()
http://bugs.python.org/issue24325  opened by yselivanov

#24329: __qualname__ and __slots__
http://bugs.python.org/issue24329  opened by yselivanov

#24330: "Configure Idle" not in "Options"
http://bugs.python.org/issue24330  opened by Yellow

#24331: *** Error in `/usr/bin/python': double free or corruption (!pr
http://bugs.python.org/issue24331  opened by krichter

#24334: SSLSocket extra level of indirection
http://bugs.python.org/issue24334  opened by christian.heimes

#24336: Allow arbitrary keywords to @contextmanager functions
http://bugs.python.org/issue24336  opened by vadmium

#24337: Implement `http.client.HTTPMessage.__repr__` to make debugging
http://bugs.python.org/issue24337  opened by cool-RR

#24338: In argparse adding wrong arguments makes malformed namespace
http://bugs.python.org/issue24338  opened by py.user

#24339: iso6937 encoding missing
http://bugs.python.org/issue24339  opened by John Helour

#24340: co_stacksize estimate can be highly off
http://bugs.python.org/issue24340  opened by arigo

#24341: Test suite emits many DeprecationWarnings about sys.exc_clear(
http://bugs.python.org/issue24341  opened by serhiy.storchaka

#24343: Installing 3.4.3 gives  error codes 2503 and 2502  on windows 
http://bugs.python.org/issue24343  opened by lac

#24351: string.Template documentation incorrectly references "identifi
http://bugs.python.org/issue24351  opened by july

#24352: Provide a way for assertLogs to optionally not hide the loggin
http://bugs.python.org/issue24352  opened by r.david.murray

#24355: Provide a unittest api for controlling verbosity in tests
http://bugs.python.org/issue24355  opened by r.david.murray

#24356: venv documentation incorrect / misleading
http://bugs.python.org/issue24356  opened by Graham.Oliver

#24358: Should compression file-like objects provide .fileno(), mislea
http://bugs.python.org/issue24358  opened by josh.r

#24360: improve argparse.Namespace __repr__ for invalid identifiers.
http://bugs.python.org/issue24360  opened by mbussonn

#24362: Simplify the fast nodes resize logic in C OrderedDict.
http://bugs.python.org/issue24362  opened by eric.snow

#24363: httplib fails to handle semivalid HTTP headers
http://bugs.python.org/issue24363  opened by mgdelmonte

#24364: Not all defects pass through email policy
http://bugs.python.org/issue24364  opened by r.david.murray

#24370: OrderedDict behavior is unclear with misbehaving keys.
http://bugs.python.org/issue24370  opened by eric.snow

#24372: Documentation for ssl.wrap_socket's ssl_version parameter is o
http://bugs.python.org/issue24372  opened by eric.smith

#24379: slice.literal notation
http://bugs.python.org/issue24379  opened by ll

#24380: Got warning when compiling _scproxy.c on Mac
http://bugs.python.org/issue24380  opened by vajrasky

#24381: Got warning when compiling ffi.c on Mac
http://bugs.python.org/issue24381  opened by vajrasky

#24383: consider implementing __await__ on concurrent.futures.Future
http://bugs.python.org/issue24383  opened by yselivanov

#24384: difflib.SequenceMatcher faster quick_ratio with lower bound sp
http://bugs.python.org/issue24384  opened by floyd

#24385: libpython27.a in python-2.7.10 i386 (windows msi release) cont
http://bugs.python.org/issue24385  opened by Jan Harkes



Most recent 15 issues with no replies (15)
==

#24381: Got warning when compiling ffi.c on Mac
http://bugs.python.org/issue24381

#24380: Got warning when compiling _scproxy.c on Mac
http://bugs.python.org/issue24380

#24370: OrderedDict behavior is unclear with misbehaving keys.
http://bugs.python.org/issue24370

#24364: Not all defects pass through email policy
http://bugs.python.org/issue24364

#24352: Provide a way for assertLogs to optionally not hide the loggin
http://bugs.python.org/issue24352

#24351: string.Template documentation incorrectly references "identifi
http://bugs.python.org/issue24351

#24341: Test suite emits many DeprecationWarnings about sys.exc_clear(
http://bugs.python.org/issue24341

#24340: co_stacksize estimate can be highly off
http://bugs.python.org/issue24340

#24329: __qualname__ and __slots__
http://bugs.python.org/issue24329

#24324: Remove -Wunreachable-code flag
http://bugs.python.org/issue24324

#24322: Hundreds of linker warnings on Windows
http://bugs.python.org/issue24322

#24319: Crash during "make coverage-report"
http://bugs.python.org/issue2431

  1   2   3   4   5   6   7   8   9   10   >