text1
stringlengths 0
536k
| text2
stringlengths 0
536k
| label
int64 0
1
|
---|---|---|
<p dir="auto"><strong>Migrated issue, originally created by Lukas Siemon (<a href="https://github.com/lukas-gitl">@lukas-gitl</a>)</strong></p>
<p dir="auto">The test case below generates the following query:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="SELECT
label_alias.id,
label_alias.name,
anon_1.venue_id,
anon_1.venue_name
FROM
label AS label_alias, -- this should come from the inner query
(SELECT
venue.id AS venue_id,
venue.name AS venue_name
FROM
venue
JOIN
venue_to_label AS venue_to_label_1
ON venue.id = venue_to_label_1.venue_id
JOIN
label AS label_alias
ON label_alias.id = venue_to_label_1.label_id
WHERE
label_alias.name IN (
%(
name_1
)s
)) AS anon_1"><pre class="notranslate"><code class="notranslate">SELECT
label_alias.id,
label_alias.name,
anon_1.venue_id,
anon_1.venue_name
FROM
label AS label_alias, -- this should come from the inner query
(SELECT
venue.id AS venue_id,
venue.name AS venue_name
FROM
venue
JOIN
venue_to_label AS venue_to_label_1
ON venue.id = venue_to_label_1.venue_id
JOIN
label AS label_alias
ON label_alias.id = venue_to_label_1.label_id
WHERE
label_alias.name IN (
%(
name_1
)s
)) AS anon_1
</code></pre></div>
<p dir="auto">However, based on the alchemy query, I'd expect the label_alias to come from the inner sql query instead of from the outer. Is there an easy way to resolve this?</p>
<p dir="auto">To give some background: We're using this strategy generically with joinedload instead of contains_eager to serialize all our queries to json. It works really well, however now the requirement came up to only return "certain joins from the joinedload".</p>
<p dir="auto">I've tested the issue with<br>
SQLAlchemy==1.0.8<br>
Flask==0.10.1<br>
Flask-SQLAlchemy==2.0</p>
<p dir="auto">Test case:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import unittest
from sqlalchemy import (
Table, Column, Integer, ForeignKey, String, func)
from sqlalchemy.ext.declarative import declarative_base
from sqlalchemy.orm import (relationship, aliased, contains_eager)
from flask import Flask
from flask.ext.sqlalchemy import SQLAlchemy
# -- create all the database models
app = Flask(__name__)
app.config['SQLALCHEMY_DATABASE_URI'] = ("sqlite://")
db = SQLAlchemy(app)
Base = declarative_base()
venue_to_label = Table(
'venue_to_label', db.metadata,
Column('venue_id', Integer, ForeignKey('venue.id'), primary_key=True),
Column('label_id', Integer, ForeignKey('label.id'), primary_key=True)
)
class Label(db.Model):
__tablename__ = 'label'
id = Column(Integer, primary_key=True, nullable=False)
name = Column(String(254))
class Venue(db.Model):
__tablename__ = 'venue'
id = Column(Integer, primary_key=True, nullable=False)
name = Column(String(254))
labels = relationship(Label, secondary=venue_to_label)
db.drop_all()
db.create_all()
class TestContainsEager(unittest.TestCase):
def test_contains_eager(self):
query = Venue.query
# filtered join
label_alias = aliased(Label, name="label_alias")
query = query.join(label_alias, Venue.labels)
query = query.filter(label_alias.name.in_(["label1"]))
# together with a windowing function this allows to correctly apply
# limit and order to the query, needed since labels is a *-to-many join
query = query.from_self()
# define to load from the inner query
query = query.options(
contains_eager(
'labels', alias=label_alias
).load_only('id', 'name')
)
# contains_eager does not pick up the alias from the inner query
import sqlalchemy.dialects.postgresql as postgresql
print query.statement.compile(dialect=postgresql.dialect())
"><pre class="notranslate"><code class="notranslate">import unittest
from sqlalchemy import (
Table, Column, Integer, ForeignKey, String, func)
from sqlalchemy.ext.declarative import declarative_base
from sqlalchemy.orm import (relationship, aliased, contains_eager)
from flask import Flask
from flask.ext.sqlalchemy import SQLAlchemy
# -- create all the database models
app = Flask(__name__)
app.config['SQLALCHEMY_DATABASE_URI'] = ("sqlite://")
db = SQLAlchemy(app)
Base = declarative_base()
venue_to_label = Table(
'venue_to_label', db.metadata,
Column('venue_id', Integer, ForeignKey('venue.id'), primary_key=True),
Column('label_id', Integer, ForeignKey('label.id'), primary_key=True)
)
class Label(db.Model):
__tablename__ = 'label'
id = Column(Integer, primary_key=True, nullable=False)
name = Column(String(254))
class Venue(db.Model):
__tablename__ = 'venue'
id = Column(Integer, primary_key=True, nullable=False)
name = Column(String(254))
labels = relationship(Label, secondary=venue_to_label)
db.drop_all()
db.create_all()
class TestContainsEager(unittest.TestCase):
def test_contains_eager(self):
query = Venue.query
# filtered join
label_alias = aliased(Label, name="label_alias")
query = query.join(label_alias, Venue.labels)
query = query.filter(label_alias.name.in_(["label1"]))
# together with a windowing function this allows to correctly apply
# limit and order to the query, needed since labels is a *-to-many join
query = query.from_self()
# define to load from the inner query
query = query.options(
contains_eager(
'labels', alias=label_alias
).load_only('id', 'name')
)
# contains_eager does not pick up the alias from the inner query
import sqlalchemy.dialects.postgresql as postgresql
print query.statement.compile(dialect=postgresql.dialect())
</code></pre></div> | <div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import sqlalchemy as sa
from sqlalchemy.orm import sessionmaker,relationship,contains_eager
from sqlalchemy.ext.declarative import declarative_base
engine=sa.create_engine("postgresql:///postgres")
Session=sessionmaker(bind=engine)
Base=declarative_base()
class ChildSchool(Base):
__tablename__="child_school_associations"
child_id=sa.Column(sa.Integer,sa.ForeignKey("child.id"),primary_key=True)
school_id=sa.Column(sa.Integer,sa.ForeignKey("schools.id"),primary_key=True)
class Child(Base):
__tablename__="child"
id=sa.Column(sa.Integer,primary_key=True)
name=sa.Column(sa.String)
schools=relationship("School",secondary=ChildSchool.__table__,backref="children")
class School(Base):
__tablename__="schools"
id=sa.Column(sa.Integer,primary_key=True)
name=sa.Column(sa.String)
session=Session()
sub=session.query(sa.func.json_object_agg(Child.name,Child.id).label('names'),sa.func.max(Child.id).label('id')).subquery(with_labels=True)
childs=session.query(sub).join(Child,sub.c.id==Child.id).join(Child.schools).add_entity(Child).options(contains_eager(Child.schools)).all()
print(len(childs))"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">sqlalchemy</span> <span class="pl-k">as</span> <span class="pl-s1">sa</span>
<span class="pl-k">from</span> <span class="pl-s1">sqlalchemy</span>.<span class="pl-s1">orm</span> <span class="pl-k">import</span> <span class="pl-s1">sessionmaker</span>,<span class="pl-s1">relationship</span>,<span class="pl-s1">contains_eager</span>
<span class="pl-k">from</span> <span class="pl-s1">sqlalchemy</span>.<span class="pl-s1">ext</span>.<span class="pl-s1">declarative</span> <span class="pl-k">import</span> <span class="pl-s1">declarative_base</span>
<span class="pl-s1">engine</span><span class="pl-c1">=</span><span class="pl-s1">sa</span>.<span class="pl-en">create_engine</span>(<span class="pl-s">"postgresql:///postgres"</span>)
<span class="pl-v">Session</span><span class="pl-c1">=</span><span class="pl-en">sessionmaker</span>(<span class="pl-s1">bind</span><span class="pl-c1">=</span><span class="pl-s1">engine</span>)
<span class="pl-v">Base</span><span class="pl-c1">=</span><span class="pl-en">declarative_base</span>()
<span class="pl-k">class</span> <span class="pl-v">ChildSchool</span>(<span class="pl-v">Base</span>):
<span class="pl-s1">__tablename__</span><span class="pl-c1">=</span><span class="pl-s">"child_school_associations"</span>
<span class="pl-s1">child_id</span><span class="pl-c1">=</span><span class="pl-s1">sa</span>.<span class="pl-v">Column</span>(<span class="pl-s1">sa</span>.<span class="pl-v">Integer</span>,<span class="pl-s1">sa</span>.<span class="pl-v">ForeignKey</span>(<span class="pl-s">"child.id"</span>),<span class="pl-s1">primary_key</span><span class="pl-c1">=</span><span class="pl-c1">True</span>)
<span class="pl-s1">school_id</span><span class="pl-c1">=</span><span class="pl-s1">sa</span>.<span class="pl-v">Column</span>(<span class="pl-s1">sa</span>.<span class="pl-v">Integer</span>,<span class="pl-s1">sa</span>.<span class="pl-v">ForeignKey</span>(<span class="pl-s">"schools.id"</span>),<span class="pl-s1">primary_key</span><span class="pl-c1">=</span><span class="pl-c1">True</span>)
<span class="pl-k">class</span> <span class="pl-v">Child</span>(<span class="pl-v">Base</span>):
<span class="pl-s1">__tablename__</span><span class="pl-c1">=</span><span class="pl-s">"child"</span>
<span class="pl-s1">id</span><span class="pl-c1">=</span><span class="pl-s1">sa</span>.<span class="pl-v">Column</span>(<span class="pl-s1">sa</span>.<span class="pl-v">Integer</span>,<span class="pl-s1">primary_key</span><span class="pl-c1">=</span><span class="pl-c1">True</span>)
<span class="pl-s1">name</span><span class="pl-c1">=</span><span class="pl-s1">sa</span>.<span class="pl-v">Column</span>(<span class="pl-s1">sa</span>.<span class="pl-v">String</span>)
<span class="pl-s1">schools</span><span class="pl-c1">=</span><span class="pl-en">relationship</span>(<span class="pl-s">"School"</span>,<span class="pl-s1">secondary</span><span class="pl-c1">=</span><span class="pl-v">ChildSchool</span>.<span class="pl-s1">__table__</span>,<span class="pl-s1">backref</span><span class="pl-c1">=</span><span class="pl-s">"children"</span>)
<span class="pl-k">class</span> <span class="pl-v">School</span>(<span class="pl-v">Base</span>):
<span class="pl-s1">__tablename__</span><span class="pl-c1">=</span><span class="pl-s">"schools"</span>
<span class="pl-s1">id</span><span class="pl-c1">=</span><span class="pl-s1">sa</span>.<span class="pl-v">Column</span>(<span class="pl-s1">sa</span>.<span class="pl-v">Integer</span>,<span class="pl-s1">primary_key</span><span class="pl-c1">=</span><span class="pl-c1">True</span>)
<span class="pl-s1">name</span><span class="pl-c1">=</span><span class="pl-s1">sa</span>.<span class="pl-v">Column</span>(<span class="pl-s1">sa</span>.<span class="pl-v">String</span>)
<span class="pl-s1">session</span><span class="pl-c1">=</span><span class="pl-v">Session</span>()
<span class="pl-s1">sub</span><span class="pl-c1">=</span><span class="pl-s1">session</span>.<span class="pl-en">query</span>(<span class="pl-s1">sa</span>.<span class="pl-s1">func</span>.<span class="pl-en">json_object_agg</span>(<span class="pl-v">Child</span>.<span class="pl-s1">name</span>,<span class="pl-v">Child</span>.<span class="pl-s1">id</span>).<span class="pl-en">label</span>(<span class="pl-s">'names'</span>),<span class="pl-s1">sa</span>.<span class="pl-s1">func</span>.<span class="pl-en">max</span>(<span class="pl-v">Child</span>.<span class="pl-s1">id</span>).<span class="pl-en">label</span>(<span class="pl-s">'id'</span>)).<span class="pl-en">subquery</span>(<span class="pl-s1">with_labels</span><span class="pl-c1">=</span><span class="pl-c1">True</span>)
<span class="pl-s1">childs</span><span class="pl-c1">=</span><span class="pl-s1">session</span>.<span class="pl-en">query</span>(<span class="pl-s1">sub</span>).<span class="pl-en">join</span>(<span class="pl-v">Child</span>,<span class="pl-s1">sub</span>.<span class="pl-s1">c</span>.<span class="pl-s1">id</span><span class="pl-c1">==</span><span class="pl-v">Child</span>.<span class="pl-s1">id</span>).<span class="pl-en">join</span>(<span class="pl-v">Child</span>.<span class="pl-s1">schools</span>).<span class="pl-en">add_entity</span>(<span class="pl-v">Child</span>).<span class="pl-en">options</span>(<span class="pl-en">contains_eager</span>(<span class="pl-v">Child</span>.<span class="pl-s1">schools</span>)).<span class="pl-en">all</span>()
<span class="pl-en">print</span>(<span class="pl-en">len</span>(<span class="pl-s1">childs</span>))</pre></div>
<p dir="auto">As there's only one row returned in the subquery , the length of childs should be 1.But the script prints 2. And if</p>
<blockquote>
<p dir="auto">sa.func.json_object_agg(Child.name,Child.id).label('names')</p>
</blockquote>
<p dir="auto">is removed and the subquery is replaced by</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="sub=session.query(sa.func.max(Child.id).label('id')).subquery(with_labels=True)"><pre class="notranslate"><span class="pl-s1">sub</span><span class="pl-c1">=</span><span class="pl-s1">session</span>.<span class="pl-en">query</span>(<span class="pl-s1">sa</span>.<span class="pl-s1">func</span>.<span class="pl-en">max</span>(<span class="pl-v">Child</span>.<span class="pl-s1">id</span>).<span class="pl-en">label</span>(<span class="pl-s">'id'</span>)).<span class="pl-en">subquery</span>(<span class="pl-s1">with_labels</span><span class="pl-c1">=</span><span class="pl-c1">True</span>)</pre></div>
<p dir="auto">Then the script print 1 normally.<br>
This anomaly can also be reproduced on mysql using json_objectagg function instead.</p>
<p dir="auto">data in these three tables are</p>
<div class="highlight highlight-source-sql notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="postgres=# select id ,name from child;
id | name
----+---------------
1 | Ben Lindley
2 | Kate Green
5 | Billy Green
3 | Cathy McMaine
(4 rows)
postgres=# select id,name from schools;
id | name
----+-------------------------------
1 | new_york_municipal_elementary
2 | los_angeles_riverside_middle
(2 rows)
postgres=# select child_id,school_id from child_school_associations;
child_id | school_id
----------+-----------
1 | 1
1 | 2
2 | 1
2 | 2
3 | 1
3 | 2
5 | 1
5 | 2
(8 rows)
"><pre class="notranslate">postgres<span class="pl-k">=</span><span class="pl-c"><span class="pl-c">#</span> select id ,name from child;</span>
id | name
<span class="pl-c"><span class="pl-c">--</span>--+---------------</span>
<span class="pl-c1">1</span> | Ben Lindley
<span class="pl-c1">2</span> | Kate Green
<span class="pl-c1">5</span> | Billy Green
<span class="pl-c1">3</span> | Cathy McMaine
(<span class="pl-c1">4</span> rows)
postgres<span class="pl-k">=</span><span class="pl-c"><span class="pl-c">#</span> select id,name from schools;</span>
id | name
<span class="pl-c"><span class="pl-c">--</span>--+-------------------------------</span>
<span class="pl-c1">1</span> | new_york_municipal_elementary
<span class="pl-c1">2</span> | los_angeles_riverside_middle
(<span class="pl-c1">2</span> rows)
postgres<span class="pl-k">=</span><span class="pl-c"><span class="pl-c">#</span> select child_id,school_id from child_school_associations;</span>
child_id | school_id
<span class="pl-c"><span class="pl-c">--</span>--------+-----------</span>
<span class="pl-c1">1</span> | <span class="pl-c1">1</span>
<span class="pl-c1">1</span> | <span class="pl-c1">2</span>
<span class="pl-c1">2</span> | <span class="pl-c1">1</span>
<span class="pl-c1">2</span> | <span class="pl-c1">2</span>
<span class="pl-c1">3</span> | <span class="pl-c1">1</span>
<span class="pl-c1">3</span> | <span class="pl-c1">2</span>
<span class="pl-c1">5</span> | <span class="pl-c1">1</span>
<span class="pl-c1">5</span> | <span class="pl-c1">2</span>
(<span class="pl-c1">8</span> rows)
</pre></div> | 0 |
<h3 dir="auto">Bug report</h3>
<p dir="auto"><strong>Bug summary</strong></p>
<p dir="auto">When storing plots as pdf, the colorbar is at the wrong position, off by a small amount:</p>
<p dir="auto"><strong>Code for reproduction</strong></p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import matplotlib.pyplot as plt
import numpy as np
import matplotlib
print(matplotlib.__version__)
rng = np.random.default_rng(0)
image = rng.normal(size=(40, 40))
# only happens at this exact figure size....
fig, (ax1, ax2) = plt.subplots(1, 2, figsize=(2.976338729763387, 1.4881693648816936), constrained_layout=True)
img1 = ax1.imshow(image)
img2 = ax2.imshow(image)
fig.colorbar(img1, orientation='horizontal', ax=ax1)
fig.colorbar(img2, orientation='horizontal', ax=ax2)
plt.savefig('colorbar.pdf')"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">matplotlib</span>.<span class="pl-s1">pyplot</span> <span class="pl-k">as</span> <span class="pl-s1">plt</span>
<span class="pl-k">import</span> <span class="pl-s1">numpy</span> <span class="pl-k">as</span> <span class="pl-s1">np</span>
<span class="pl-k">import</span> <span class="pl-s1">matplotlib</span>
<span class="pl-en">print</span>(<span class="pl-s1">matplotlib</span>.<span class="pl-s1">__version__</span>)
<span class="pl-s1">rng</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-s1">random</span>.<span class="pl-en">default_rng</span>(<span class="pl-c1">0</span>)
<span class="pl-s1">image</span> <span class="pl-c1">=</span> <span class="pl-s1">rng</span>.<span class="pl-en">normal</span>(<span class="pl-s1">size</span><span class="pl-c1">=</span>(<span class="pl-c1">40</span>, <span class="pl-c1">40</span>))
<span class="pl-c"># only happens at this exact figure size....</span>
<span class="pl-s1">fig</span>, (<span class="pl-s1">ax1</span>, <span class="pl-s1">ax2</span>) <span class="pl-c1">=</span> <span class="pl-s1">plt</span>.<span class="pl-en">subplots</span>(<span class="pl-c1">1</span>, <span class="pl-c1">2</span>, <span class="pl-s1">figsize</span><span class="pl-c1">=</span>(<span class="pl-c1">2.976338729763387</span>, <span class="pl-c1">1.4881693648816936</span>), <span class="pl-s1">constrained_layout</span><span class="pl-c1">=</span><span class="pl-c1">True</span>)
<span class="pl-s1">img1</span> <span class="pl-c1">=</span> <span class="pl-s1">ax1</span>.<span class="pl-en">imshow</span>(<span class="pl-s1">image</span>)
<span class="pl-s1">img2</span> <span class="pl-c1">=</span> <span class="pl-s1">ax2</span>.<span class="pl-en">imshow</span>(<span class="pl-s1">image</span>)
<span class="pl-s1">fig</span>.<span class="pl-en">colorbar</span>(<span class="pl-s1">img1</span>, <span class="pl-s1">orientation</span><span class="pl-c1">=</span><span class="pl-s">'horizontal'</span>, <span class="pl-s1">ax</span><span class="pl-c1">=</span><span class="pl-s1">ax1</span>)
<span class="pl-s1">fig</span>.<span class="pl-en">colorbar</span>(<span class="pl-s1">img2</span>, <span class="pl-s1">orientation</span><span class="pl-c1">=</span><span class="pl-s">'horizontal'</span>, <span class="pl-s1">ax</span><span class="pl-c1">=</span><span class="pl-s1">ax2</span>)
<span class="pl-s1">plt</span>.<span class="pl-en">savefig</span>(<span class="pl-s">'colorbar.pdf'</span>)</pre></div>
<p dir="auto"><strong>Actual outcome</strong></p>
<p dir="auto">png converted from pdf output using <code class="notranslate">pdftoppm -r 600 -png -singlefile colorbar.pdf colorbar</code>:</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/5488440/121939432-50667580-cd4d-11eb-8c95-cdb375c63842.png"><img src="https://user-images.githubusercontent.com/5488440/121939432-50667580-cd4d-11eb-8c95-cdb375c63842.png" alt="colorbar" style="max-width: 100%;"></a></p>
<p dir="auto"><strong>Matplotlib version</strong></p>
<ul dir="auto">
<li>Operating system: Manjaro Linux</li>
<li>Matplotlib version (<code class="notranslate">import matplotlib; print(matplotlib.__version__)</code>): 3.4.2</li>
<li>Matplotlib backend (<code class="notranslate">print(matplotlib.get_backend())</code>): pdf (since plot saved as pdf)</li>
<li>Python version: 3.9.5</li>
</ul> | <p dir="auto">Hi all,</p>
<p dir="auto">I could not find a similar issue so forgive me if its a duplicate. We are trying to get a couple of our tests suites to execute on mpl 1.x and 2.0 without having to duplicate the baseline images. The <code class="notranslate">classic</code> style helps a lot but there are still many small issues mainly related to text positioning. Is there a way I can force it to behave the same on mpl 1.x and 2.0?</p>
<p dir="auto">A simple example demonstrating the problem:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import matplotlib.pyplot as plt
plt.style.use("classic")
plt.plot([1, 2, 3, 4])
plt.savefig("out.png")"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">matplotlib</span>.<span class="pl-s1">pyplot</span> <span class="pl-k">as</span> <span class="pl-s1">plt</span>
<span class="pl-s1">plt</span>.<span class="pl-s1">style</span>.<span class="pl-en">use</span>(<span class="pl-s">"classic"</span>)
<span class="pl-s1">plt</span>.<span class="pl-en">plot</span>([<span class="pl-c1">1</span>, <span class="pl-c1">2</span>, <span class="pl-c1">3</span>, <span class="pl-c1">4</span>])
<span class="pl-s1">plt</span>.<span class="pl-en">savefig</span>(<span class="pl-s">"out.png"</span>)</pre></div>
<p dir="auto">The difference is subtle but enough to cause issues when testing - the text baseline (or center line I guess) is different for both. This was run for mpl 1.5.3 and mpl 2.0.0.</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/800487/22174693/c4a78ce6-dfe4-11e6-9a7b-ed516123f177.png"><img width="373" alt="screen shot 2017-01-21 at 14 19 41" src="https://cloud.githubusercontent.com/assets/800487/22174693/c4a78ce6-dfe4-11e6-9a7b-ed516123f177.png" style="max-width: 100%;"></a></p> | 0 |
<p dir="auto">Hi there!</p>
<p dir="auto">I was trying to tweak the fliers (outliers) of a letter-value plot I am generating with seaborn (e.g. using properties of matplotlib for the traditional boxplot -- for instance: <a href="https://matplotlib.org/2.0.2/examples/statistics/boxplot_demo.html" rel="nofollow">https://matplotlib.org/2.0.2/examples/statistics/boxplot_demo.html</a>), but without success.</p>
<p dir="auto">I have a huge plot with several boxenplots side-by-side and I wanted to change the face color of my outliers so they match the body of the boxenplot. Since they are pretty tucked together, sometimes it's hard to differentiate which outliers belong to which distribution.</p>
<p dir="auto">Please, let me know if there is an obvious solution for this that I am not catching.</p>
<p dir="auto">Thanks so much!</p> | <p dir="auto">I want to draw a barplot facetted for different cateogories in a data frame.</p>
<p dir="auto">Each sub0barplot shows has as a y-axis another categorical variable. I expect the the y-axes to be shared across facets. If a specific y-category doesn't exist for a specific facet I expect seaborn to either throw an error or properly draw the bars only for those y-cateogories that are present and not draw any bars for those categories that are not present.</p>
<p dir="auto">However, what actually happens is seaborn just fills the bars from index 0 to whatever the maxum length of unique y-categories exists in a specific facet. Hence this producses false and wrong plots, as bars appear in the wrong places.</p>
<p dir="auto">Please consider either throwing an error or not drawing a bar when a y-category is not present for all facets.</p>
<p dir="auto">Example</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="iris = sns.load_dataset('iris')
iris['flowerID'] = np.tile(np.arange(0,50), 3)
tmp = iris.loc[iris.flowerID<10].iloc[4:]
tmp['flowerID'] = [str(i) for i in tmp['flowerID']]
g = sns.FacetGrid(tmp, col="species", height=8)
g.map_dataframe(sns.barplot, y='flowerID', x='sepal_length')"><pre class="notranslate"><code class="notranslate">iris = sns.load_dataset('iris')
iris['flowerID'] = np.tile(np.arange(0,50), 3)
tmp = iris.loc[iris.flowerID<10].iloc[4:]
tmp['flowerID'] = [str(i) for i in tmp['flowerID']]
g = sns.FacetGrid(tmp, col="species", height=8)
g.map_dataframe(sns.barplot, y='flowerID', x='sepal_length')
</code></pre></div>
<p dir="auto">Result is the following plot:<br>
<a target="_blank" rel="noopener noreferrer" href="https://user-images.githubusercontent.com/18192128/247990777-00268b06-e6d9-489e-b5f5-6bcd397e5b51.png"><img src="https://user-images.githubusercontent.com/18192128/247990777-00268b06-e6d9-489e-b5f5-6bcd397e5b51.png" alt="image" style="max-width: 100%;"></a></p>
<p dir="auto">However for setosa flowers bars should only appear at the IDs 4-9. The seabor bar chart makes you belief the sepal lengths are assigned to IDs 1-5.<br>
<a target="_blank" rel="noopener noreferrer" href="https://user-images.githubusercontent.com/18192128/247990901-6fdf9fd6-c375-4720-94f6-d41bb439f057.png"><img width="491" alt="image" src="https://user-images.githubusercontent.com/18192128/247990901-6fdf9fd6-c375-4720-94f6-d41bb439f057.png" style="max-width: 100%;"></a></p> | 0 |
<ul dir="auto">
<li>Output of <code class="notranslate">node_modules/.bin/electron --version</code>: v3.0.0-beta.8</li>
<li>Operating System (Platform and Version): Windows 10 10.0.16299 Build 16299 / MacOS High Sierra 10.13.4</li>
<li>Output of <code class="notranslate">node_modules/.bin/electron --version</code> on last known working Electron version (if applicable): v2.0.8</li>
</ul>
<p dir="auto"><strong>Expected Behavior</strong><br>
The Chromium PDF Viewer plugin should be loaded as a Browser Plugin in a Browser Window.</p>
<p dir="auto"><strong>Actual behavior</strong><br>
The Chromium PDF Viewer plugin is not loaded in a Browser Window.</p>
<p dir="auto"><strong>To Reproduce</strong><br>
Just open a BrowserWindow e.g.:<br>
<code class="notranslate">new BrowserWindow({ webPreferences: { plugins: true } });</code><br>
Then type in Developer Console: <code class="notranslate">window.clientInformation.plugins</code></p>
<p dir="auto"><strong>Screenshots</strong><br>
Before (v.2.0.8):<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/6893212/44843061-b4285e00-ac47-11e8-9f68-f406e571e1f5.png"><img src="https://user-images.githubusercontent.com/6893212/44843061-b4285e00-ac47-11e8-9f68-f406e571e1f5.png" alt="image" style="max-width: 100%;"></a></p>
<p dir="auto">After (v3.0.0-beta.8):<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/6893212/44843107-d0c49600-ac47-11e8-8a5b-83e6a559ed0f.png"><img src="https://user-images.githubusercontent.com/6893212/44843107-d0c49600-ac47-11e8-8a5b-83e6a559ed0f.png" alt="image" style="max-width: 100%;"></a></p>
<p dir="auto"><strong>Additional Information</strong><br>
Note: options.webPreferences.plugins = true; is set on all BrowserWindow instances. So this should not be an issue, since it is working correctly in [email protected]</p> | <p dir="auto">Mac OS 10.14<br>
Electron v3.0.6</p>
<p dir="auto"><strong>Expected Behavior</strong><br>
A frameless, transparent window with no shadow should have no borders.</p>
<p dir="auto"><strong>Actual behavior</strong><br>
There is a border not being generated by my HTML file wrapping around the top of the browser window. It's small and white but quite obvious on certain backgrounds.</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/1082318/48498002-3fef6680-e803-11e8-9938-f4dc1fb8aa4c.png"><img width="314" alt="screen shot 2018-11-14 at 11 47 34" src="https://user-images.githubusercontent.com/1082318/48498002-3fef6680-e803-11e8-9938-f4dc1fb8aa4c.png" style="max-width: 100%;"></a></p>
<p dir="auto"><strong>To Reproduce</strong></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ git clone [email protected]:kkitay/terra.git
$ npm install
$ npm run dev"><pre class="notranslate"><code class="notranslate">$ git clone [email protected]:kkitay/terra.git
$ npm install
$ npm run dev
</code></pre></div> | 0 |
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have searched the <a href="https://github.com/apache/dubbo/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have checked the <a href="https://github.com/apache/dubbo/blob/master/FAQ.md">FAQ</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h3 dir="auto">Environment</h3>
<ul dir="auto">
<li>Dubbo version: 2.7.4-SNAPSHOT</li>
<li>Operating System version: Mac</li>
<li>Java version: java11</li>
</ul>
<h3 dir="auto">Steps to reproduce this issue</h3>
<ol dir="auto">
<li>config in xml like (other config keep the same as the previous version)</li>
</ol>
<div class="highlight highlight-text-xml notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="<dubbo:registry address="zookeeper://127.0.0.2:2181"/>
<dubbo:config-center address="zookeeper://127.0.0.1:2181"/>"><pre class="notranslate"><<span class="pl-ent">dubbo</span><span class="pl-ent">:</span><span class="pl-ent">registry</span> <span class="pl-e">address</span>=<span class="pl-s"><span class="pl-pds">"</span>zookeeper://127.0.0.2:2181<span class="pl-pds">"</span></span>/>
<<span class="pl-ent">dubbo</span><span class="pl-ent">:</span><span class="pl-ent">config-center</span> <span class="pl-e">address</span>=<span class="pl-s"><span class="pl-pds">"</span>zookeeper://127.0.0.1:2181<span class="pl-pds">"</span></span>/></pre></div>
<ol start="2" dir="auto">
<li>start the provider application</li>
</ol>
<p dir="auto">Pls. provide [GitHub address] to reproduce this issue.</p>
<h3 dir="auto">Expected Result</h3>
<p dir="auto">The application can log exception and exit</p>
<h3 dir="auto">Actual Result</h3>
<p dir="auto">it will hang the main thread in the method of ZookeeperRegistry.java</p>
<div class="highlight highlight-source-java notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" @Override
public void doRegister(URL url) {
try {
zkClient.create(toUrlPath(url), url.getParameter(DYNAMIC_KEY, true));
} catch (Throwable e) {
throw new RpcException("Failed to register " + url + " to zookeeper " + getUrl() + ", cause: " + e.getMessage(), e);
}
}"><pre class="notranslate"> <span class="pl-c1">@</span><span class="pl-c1">Override</span>
<span class="pl-k">public</span> <span class="pl-smi">void</span> <span class="pl-s1">doRegister</span>(<span class="pl-smi">URL</span> <span class="pl-s1">url</span>) {
<span class="pl-k">try</span> {
<span class="pl-s1">zkClient</span>.<span class="pl-en">create</span>(<span class="pl-en">toUrlPath</span>(<span class="pl-s1">url</span>), <span class="pl-s1">url</span>.<span class="pl-en">getParameter</span>(<span class="pl-c1">DYNAMIC_KEY</span>, <span class="pl-c1">true</span>));
} <span class="pl-k">catch</span> (<span class="pl-smi">Throwable</span> <span class="pl-s1">e</span>) {
<span class="pl-k">throw</span> <span class="pl-k">new</span> <span class="pl-smi">RpcException</span>(<span class="pl-s">"Failed to register "</span> + <span class="pl-s1">url</span> + <span class="pl-s">" to zookeeper "</span> + <span class="pl-en">getUrl</span>() + <span class="pl-s">", cause: "</span> + <span class="pl-s1">e</span>.<span class="pl-en">getMessage</span>(), <span class="pl-s1">e</span>);
}
}</pre></div>
<p dir="auto">If there is an exception, please attach the exception trace:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Just put your stack trace here!"><pre class="notranslate"><code class="notranslate">Just put your stack trace here!
</code></pre></div> | <ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/apache/dubbo/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/apache/dubbo/blob/master/FAQ.md">FAQ</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h3 dir="auto">Environment</h3>
<ul dir="auto">
<li>Dubbo version: 2.7.2</li>
<li>Operating System version: max</li>
<li>Java version: 1.8</li>
</ul>
<h3 dir="auto">Steps to reproduce this issue</h3>
<ol dir="auto">
<li>泛化调用,consumer端把如下json转为map泛化调用provider。<br>
{"flg":0,"name":"name1","age":1}</li>
<li>provider端接口参数类型如下:</li>
</ol>
<div class="highlight highlight-source-java notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="public class User {
private String name;
private int age;
private boolean flg;
}"><pre class="notranslate"><span class="pl-k">public</span> <span class="pl-k">class</span> <span class="pl-smi">User</span> {
<span class="pl-k">private</span> <span class="pl-smi">String</span> <span class="pl-s1">name</span>;
<span class="pl-k">private</span> <span class="pl-smi">int</span> <span class="pl-s1">age</span>;
<span class="pl-k">private</span> <span class="pl-smi">boolean</span> <span class="pl-s1">flg</span>;
}</pre></div>
<p dir="auto">Pls. provide [GitHub address] to reproduce this issue.</p>
<h3 dir="auto">Expected Result</h3>
<p dir="auto">Provider端能正常反序列化解析出User对象。</p>
<h5 dir="auto">PojoUtils的反序列化应该支持把数字类型转化为Boolean,fastjson、jackson等反序列都支持此特性。这样做可以更好支持跨语言调用,比如c没有bool型,只能用int表示bool。</h5>
<h3 dir="auto">Actual Result</h3>
<p dir="auto">实际Provider端无法序列化抛出异常</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" com.alibaba.dubbo.remoting.RemotingException: java.lang.RuntimeException: Failed to set pojo NameAuthApi property isDefault value 0(class java.lang.Integer), cause: java.lang.ClassCastException@3a4a8341 java.lang.RuntimeException: Failed to set pojo NameAuthApi property isDefault value 0(class java.lang.Integer), cause: java.lang.ClassCastException@3a4a8341
at com.alibaba.dubbo.common.utils.PojoUtils.realize0(PojoUtils.java:452)
at com.alibaba.dubbo.common.utils.PojoUtils.realize(PojoUtils.java:204)
at com.alibaba.dubbo.common.utils.PojoUtils.realize(PojoUtils.java:90)
at com.alibaba.dubbo.rpc.filter.GenericFilter.invoke(GenericFilter.java:69)
at com.alibaba.dubbo.rpc.protocol.ProtocolFilterWrapper$1.invoke(ProtocolFilterWrapper.java:91)
at com.alibaba.dubbo.rpc.filter.ClassLoaderFilter.invoke(ClassLoaderFilter.java:38)
at com.alibaba.dubbo.rpc.protocol.ProtocolFilterWrapper$1.invoke(ProtocolFilterWrapper.java:91)
at com.alibaba.dubbo.rpc.filter.EchoFilter.invoke$sentryProxy(EchoFilter.java:38) "><pre class="notranslate"><code class="notranslate"> com.alibaba.dubbo.remoting.RemotingException: java.lang.RuntimeException: Failed to set pojo NameAuthApi property isDefault value 0(class java.lang.Integer), cause: java.lang.ClassCastException@3a4a8341 java.lang.RuntimeException: Failed to set pojo NameAuthApi property isDefault value 0(class java.lang.Integer), cause: java.lang.ClassCastException@3a4a8341
at com.alibaba.dubbo.common.utils.PojoUtils.realize0(PojoUtils.java:452)
at com.alibaba.dubbo.common.utils.PojoUtils.realize(PojoUtils.java:204)
at com.alibaba.dubbo.common.utils.PojoUtils.realize(PojoUtils.java:90)
at com.alibaba.dubbo.rpc.filter.GenericFilter.invoke(GenericFilter.java:69)
at com.alibaba.dubbo.rpc.protocol.ProtocolFilterWrapper$1.invoke(ProtocolFilterWrapper.java:91)
at com.alibaba.dubbo.rpc.filter.ClassLoaderFilter.invoke(ClassLoaderFilter.java:38)
at com.alibaba.dubbo.rpc.protocol.ProtocolFilterWrapper$1.invoke(ProtocolFilterWrapper.java:91)
at com.alibaba.dubbo.rpc.filter.EchoFilter.invoke$sentryProxy(EchoFilter.java:38)
</code></pre></div> | 0 |
<p dir="auto">Is it possible to merge a mesh with a line? My problem currently is that I need to draw thousands of 3D objects with outline. Since the wireframe draws triangles I'm handling the outline myself with a Line for each element. The problem is that this way I'm duplicating the elements on the scene which has a negative impact on the performance. If I could merge these elements after creating them there would be no impact on performance (after the initial load). Is it possible?</p>
<p dir="auto">Thanks!</p> | <p dir="auto">R60: Seems that the wireframe is shown for the actual triangles that are rendered.<br>
R59: Meshes with quad faces are rendered as quad faces in wireframe mode.</p>
<p dir="auto">So I'm hoping this is an issue, not a changing in the behaviour of this wireframe parameter for materials. Since I want to draw cubes with their edges shown.</p>
<p dir="auto">Test Code:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" var scene = new THREE.Scene();
var camera = new THREE.PerspectiveCamera(75, window.innerWidth/window.innerHeight, 0.1, 1000);
camera.position.z = 5;
var renderer = new THREE.WebGLRenderer();
renderer.setSize(window.innerWidth, window.innerHeight);
document.body.appendChild(renderer.domElement);
var geometry = new THREE.CubeGeometry(1,1,1);
var material = new THREE.MeshBasicMaterial({color: 0x00ff00,wireframe: true});
var cube = new THREE.Mesh(geometry, material);
scene.add(cube);
var render = function () {
requestAnimationFrame(render);
cube.rotation.x += 0.01;
cube.rotation.y += 0.01;
renderer.render(scene, camera);
};
render(); "><pre class="notranslate"><code class="notranslate"> var scene = new THREE.Scene();
var camera = new THREE.PerspectiveCamera(75, window.innerWidth/window.innerHeight, 0.1, 1000);
camera.position.z = 5;
var renderer = new THREE.WebGLRenderer();
renderer.setSize(window.innerWidth, window.innerHeight);
document.body.appendChild(renderer.domElement);
var geometry = new THREE.CubeGeometry(1,1,1);
var material = new THREE.MeshBasicMaterial({color: 0x00ff00,wireframe: true});
var cube = new THREE.Mesh(geometry, material);
scene.add(cube);
var render = function () {
requestAnimationFrame(render);
cube.rotation.x += 0.01;
cube.rotation.y += 0.01;
renderer.render(scene, camera);
};
render();
</code></pre></div> | 0 |
<p dir="auto">Issue Type:<br>
Bug Report</p>
<p dir="auto">Ansible Version:<br>
ansible --version<br>
ansible 2.0.0</p>
<p dir="auto">Environment:<br>
Ubuntu 15.04</p>
<p dir="auto">Summary:<br>
I have a role with tasks/main.yml like this:</p>
<ul dir="auto">
<li>include: packages.yml</li>
<li>include: config-cluster.yml</li>
<li>include: config.yml</li>
<li>include: service.yml</li>
<li>include: cluster.yml</li>
<li>include: rabbitmq.yml</li>
<li>include: queues.yml<br>
tags: queues</li>
<li>meta: flush_handlers</li>
</ul>
<p dir="auto">When I use this role from my playbook only first include is executed.</p>
<ul dir="auto">
<li>hosts: serverdev<br>
user: root<br>
roles:
<ul dir="auto">
<li>role.rabbitmq</li>
</ul>
</li>
</ul>
<p dir="auto">Expected Results:</p>
<p dir="auto">Run all includes</p>
<p dir="auto">Actual Results:<br>
This is the output of command "ansible-playbook serverdev.yml":<br>
PLAY ***************************************************************************</p>
<p dir="auto">TASK [setup] *******************************************************************<br>
ok: [trr-rabbit-dev2]<br>
ok: [trr-rabbit-dev1]</p>
<p dir="auto">TASK [tierra.rabbitmq : include] ***********************************************<br>
included: packages.yml for trr-rabbit-dev1<br>
included: packages.yml for trr-rabbit-dev2</p>
<p dir="auto">TASK [tierra.rabbitmq : Ensure Epel is installed] ******************************<br>
ok: [trr-rabbit-dev2]<br>
ok: [trr-rabbit-dev1]</p>
<p dir="auto">TASK [tierra.rabbitmq : Ensure Erlang repo is installed] ***********************<br>
ok: [trr-rabbit-dev2]<br>
ok: [trr-rabbit-dev1]</p>
<p dir="auto">TASK [tierra.rabbitmq : Ensure RabbitMQ RPM key is present] ********************<br>
ok: [trr-rabbit-dev2]<br>
ok: [trr-rabbit-dev1]</p>
<p dir="auto">TASK [tierra.rabbitmq : Ensure RabbitMQ is installed] **************************<br>
ok: [trr-rabbit-dev2]<br>
ok: [trr-rabbit-dev1]</p>
<p dir="auto">PLAY RECAP *********************************************************************<br>
trr-rabbit-dev1 : ok=6 changed=0 unreachable=0 failed=0<br>
trr-rabbit-dev2 : ok=6 changed=0 unreachable=0 failed=0</p> | <p dir="auto">There is no reason with_items can't use inventory scoped variables anymore.</p>
<p dir="auto">It used to generate tasks per object but this is not the case, so it looks like it just needs to template variables using some better context.</p>
<p dir="auto">Example:</p>
<p dir="auto">with_items: $foos</p>
<p dir="auto">where $foos is defined in groupvars/webservers</p> | 0 |
<p dir="auto">My use case: I have Macbook Pro M1 laptop as my host machine. I want to run celery worker nodes inside linux based docker containers.</p>
<p dir="auto">Ubuntu 18.04 as host machine works without any problem, but not the macbook pro with M1 processor. I can create tasks from my host machine, but dockerized workers does not work on anything.</p>
<h1 dir="auto">Checklist</h1>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have verified that the issue exists against the <code class="notranslate">master</code> branch of Celery.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> This has already been asked to the <a href="https://groups.google.com/forum/#!forum/celery-users" rel="nofollow">discussion group</a> first.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have read the relevant section in the<br>
<a href="http://docs.celeryproject.org/en/latest/contributing.html#other-bugs" rel="nofollow">contribution guide</a><br>
on reporting bugs.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/celery/celery/issues?q=is%3Aissue+label%3A%22Issue+Type%3A+Bug+Report%22+-label%3A%22Category%3A+Documentation%22">issues list</a><br>
for similar or identical bug reports.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/celery/celery/pulls?q=is%3Apr+label%3A%22PR+Type%3A+Bugfix%22+-label%3A%22Category%3A+Documentation%22">pull requests list</a><br>
for existing proposed fixes.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/celery/celery/commits/master">commit log</a><br>
to find out if the bug was already fixed in the master branch.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included all related issues and possible duplicate issues<br>
in this issue (If there are none, check this box anyway).</li>
</ul>
<h2 dir="auto">Mandatory Debugging Information</h2>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included the output of <code class="notranslate">celery -A proj report</code> in the issue.<br>
(if you are not able to do this, then at least specify the Celery<br>
version affected).</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have verified that the issue exists against the <code class="notranslate">master</code> branch of Celery.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included the contents of <code class="notranslate">pip freeze</code> in the issue.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included all the versions of all the external dependencies required<br>
to reproduce this bug.</li>
</ul>
<h2 dir="auto">Optional Debugging Information</h2>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have tried reproducing the issue on more than one Python version<br>
and/or implementation.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one message broker and/or<br>
result backend.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one version of the message<br>
broker and/or result backend.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have tried reproducing the issue on more than one operating system.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one workers pool.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue with autoscaling, retries,<br>
ETA/Countdown & rate limits disabled.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have tried reproducing the issue after downgrading<br>
and/or upgrading Celery and its dependencies.</li>
</ul>
<h2 dir="auto">Related Issues and Possible Duplicates</h2>
<h4 dir="auto">Related Issues</h4>
<ul dir="auto">
<li>None</li>
</ul>
<h4 dir="auto">Possible Duplicates</h4>
<ul dir="auto">
<li>None</li>
</ul>
<h2 dir="auto">Environment & Settings</h2>
<p dir="auto"><strong>Celery version</strong>: 5.0.5</p>
<details>
<summary><b><code class="notranslate">celery report</code> Output:</b></summary>
<p dir="auto">
</p><div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="### host machine
software -> celery:5.0.5 (singularity) kombu:5.0.2 py:3.9.2
billiard:3.6.3.0 redis:3.5.3
platform -> system:Darwin arch:64bit
kernel version:20.3.0 imp:CPython
loader -> celery.loaders.app.AppLoader
settings -> transport:redis results:redis://localhost:6379/0
broker_url: 'redis://localhost:6379/0'
result_backend: 'redis://localhost:6379/0'
deprecated_settings: None"><pre class="notranslate"><code class="notranslate">### host machine
software -> celery:5.0.5 (singularity) kombu:5.0.2 py:3.9.2
billiard:3.6.3.0 redis:3.5.3
platform -> system:Darwin arch:64bit
kernel version:20.3.0 imp:CPython
loader -> celery.loaders.app.AppLoader
settings -> transport:redis results:redis://localhost:6379/0
broker_url: 'redis://localhost:6379/0'
result_backend: 'redis://localhost:6379/0'
deprecated_settings: None
</code></pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="### inside docker
software -> celery:5.0.5 (singularity) kombu:5.0.2 py:3.9.2
billiard:3.6.3.0 redis:3.5.3
platform -> system:Linux arch:64bit, ELF
kernel version:4.19.121-linuxkit imp:CPython
loader -> celery.loaders.app.AppLoader
settings -> transport:redis results:redis://host.docker.internal:6379/0
broker_url: 'redis://host.docker.internal:6379/0'
result_backend: 'redis://host.docker.internal:6379/0'
deprecated_settings: None"><pre class="notranslate"><code class="notranslate">### inside docker
software -> celery:5.0.5 (singularity) kombu:5.0.2 py:3.9.2
billiard:3.6.3.0 redis:3.5.3
platform -> system:Linux arch:64bit, ELF
kernel version:4.19.121-linuxkit imp:CPython
loader -> celery.loaders.app.AppLoader
settings -> transport:redis results:redis://host.docker.internal:6379/0
broker_url: 'redis://host.docker.internal:6379/0'
result_backend: 'redis://host.docker.internal:6379/0'
deprecated_settings: None
</code></pre></div>
<p dir="auto"></p>
</details>
<h1 dir="auto">Steps to Reproduce</h1>
<h2 dir="auto">Required Dependencies</h2>
<ul dir="auto">
<li><strong>Minimal Python Version</strong>: 3.7 or 3.9</li>
<li><strong>Minimal Celery Version</strong>: 5.0.5</li>
<li><strong>Minimal Kombu Version</strong>: see below</li>
<li><strong>Minimal Broker Version</strong>: see below</li>
<li><strong>Minimal Result Backend Version</strong>: see below</li>
<li><strong>Minimal OS and/or Kernel Version</strong>: see below</li>
<li><strong>Minimal Broker Client Version</strong>: see below</li>
<li><strong>Minimal Result Backend Client Version</strong>: see below</li>
</ul>
<h3 dir="auto">Python Packages</h3>
<details>
<summary><b><code class="notranslate">pip freeze</code> Output:</b></summary>
<p dir="auto">
</p><div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="### host machine
amqp==5.0.5
billiard==3.6.3.0
celery @ https://github.com/celery/celery/zipball/master
click==7.1.2
click-didyoumean==0.0.3
click-plugins==1.1.1
click-repl==0.1.6
kombu==5.0.2
prompt-toolkit==3.0.18
pytz==2021.1
redis==3.5.3
six==1.15.0
vine==5.0.0
wcwidth==0.2.5"><pre class="notranslate"><code class="notranslate">### host machine
amqp==5.0.5
billiard==3.6.3.0
celery @ https://github.com/celery/celery/zipball/master
click==7.1.2
click-didyoumean==0.0.3
click-plugins==1.1.1
click-repl==0.1.6
kombu==5.0.2
prompt-toolkit==3.0.18
pytz==2021.1
redis==3.5.3
six==1.15.0
vine==5.0.0
wcwidth==0.2.5
</code></pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="### inside docker
amqp==5.0.5
billiard @ https://github.com/celery/billiard/zipball/master
celery @ https://github.com/celery/celery/zipball/master
click==7.1.2
click-didyoumean==0.0.3
click-plugins==1.1.1
click-repl==0.1.6
kombu @ https://github.com/celery/kombu/zipball/master
prompt-toolkit==3.0.18
pytz==2021.1
redis==3.5.3
six==1.15.0
vine @ https://github.com/celery/vine/zipball/master
wcwidth==0.2.5"><pre class="notranslate"><code class="notranslate">### inside docker
amqp==5.0.5
billiard @ https://github.com/celery/billiard/zipball/master
celery @ https://github.com/celery/celery/zipball/master
click==7.1.2
click-didyoumean==0.0.3
click-plugins==1.1.1
click-repl==0.1.6
kombu @ https://github.com/celery/kombu/zipball/master
prompt-toolkit==3.0.18
pytz==2021.1
redis==3.5.3
six==1.15.0
vine @ https://github.com/celery/vine/zipball/master
wcwidth==0.2.5
</code></pre></div>
<p dir="auto"></p>
</details>
<h3 dir="auto">Other Dependencies</h3>
<details>
<p dir="auto">
</p><div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="### host machine
% uname -a
Darwin Ignacios-MBP.fritz.box 20.3.0 Darwin Kernel Version 20.3.0: Thu Jan 21 00:06:51 PST 2021; root:xnu-7195.81.3~1/RELEASE_ARM64_T8101 arm64"><pre class="notranslate"><code class="notranslate">### host machine
% uname -a
Darwin Ignacios-MBP.fritz.box 20.3.0 Darwin Kernel Version 20.3.0: Thu Jan 21 00:06:51 PST 2021; root:xnu-7195.81.3~1/RELEASE_ARM64_T8101 arm64
</code></pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="### inside docker
% uname -a
Linux 29461f0a74a4 4.19.121-linuxkit #1 SMP PREEMPT Thu Jan 21 15:45:22 UTC 2021 aarch64 GNU/Linux"><pre class="notranslate"><code class="notranslate">### inside docker
% uname -a
Linux 29461f0a74a4 4.19.121-linuxkit #1 SMP PREEMPT Thu Jan 21 15:45:22 UTC 2021 aarch64 GNU/Linux
</code></pre></div>
<p dir="auto">for redis and docker see test case 0. below</p>
<p dir="auto"></p>
</details>
<h2 dir="auto">Minimally Reproducible Test Case</h2>
<details>
<p dir="auto">
</p><ol start="0" dir="auto">
<li>Host machine setup environment: using redis and docker</li>
</ol>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="% redis-server --version
Redis server v=6.2.1 sha=00000000:0 malloc=libc bits=64 build=cfaa1431404ef25b"><pre class="notranslate">% redis-server --version
Redis server v=6.2.1 sha=00000000:0 malloc=libc bits=64 build=cfaa1431404ef25b</pre></div>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="% docker version
Client: Docker Engine - Community
Version: 20.10.5
API version: 1.41
Go version: go1.16
Git commit: 55c4c88
Built: Wed Mar 3 00:56:04 2021
OS/Arch: darwin/arm64
Context: default
Experimental: true
Server: Docker Engine - Community
Engine:
Version: 20.10.5
API version: 1.41 (minimum version 1.12)
Go version: go1.13.15
Git commit: 363e9a8
Built: Tue Mar 2 20:16:48 2021
OS/Arch: linux/arm64
Experimental: false
containerd:
Version: 1.4.4
GitCommit: 05f951a3781f4f2c1911b05e61c160e9c30eaa8e
runc:
Version: 1.0.0-rc93
GitCommit: 12644e614e25b05da6fd08a38ffa0cfe1903fdec
docker-init:
Version: 0.19.0
GitCommit: de40ad0"><pre class="notranslate">% docker version
Client: Docker Engine - Community
Version: 20.10.5
API version: 1.41
Go version: go1.16
Git commit: 55c4c88
Built: Wed Mar 3 00:56:04 2021
OS/Arch: darwin/arm64
Context: default
Experimental: <span class="pl-c1">true</span>
Server: Docker Engine - Community
Engine:
Version: 20.10.5
API version: 1.41 (minimum version 1.12)
Go version: go1.13.15
Git commit: 363e9a8
Built: Tue Mar 2 20:16:48 2021
OS/Arch: linux/arm64
Experimental: <span class="pl-c1">false</span>
containerd:
Version: 1.4.4
GitCommit: 05f951a3781f4f2c1911b05e61c160e9c30eaa8e
runc:
Version: 1.0.0-rc93
GitCommit: 12644e614e25b05da6fd08a38ffa0cfe1903fdec
docker-init:
Version: 0.19.0
GitCommit: de40ad0</pre></div>
<ol dir="auto">
<li>Run redis-server on host machine</li>
</ol>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="redis-server --protected mode no --loglevel verbose"><pre class="notranslate">redis-server --protected mode no --loglevel verbose</pre></div>
<ol start="2" dir="auto">
<li>Create a dockerized worker, run it</li>
</ol>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="# tasks.py
from celery import Celery
host = "host.docker.internal"
redis_str = f'redis://{host}:6379/0'
app = Celery('tasks', broker=redis_str, backend=redis_str)
@app.task
def add(x, y):
return x + y"><pre class="notranslate"><span class="pl-c"># tasks.py</span>
<span class="pl-k">from</span> <span class="pl-s1">celery</span> <span class="pl-k">import</span> <span class="pl-v">Celery</span>
<span class="pl-s1">host</span> <span class="pl-c1">=</span> <span class="pl-s">"host.docker.internal"</span>
<span class="pl-s1">redis_str</span> <span class="pl-c1">=</span> <span class="pl-s">f'redis://<span class="pl-s1"><span class="pl-kos">{</span><span class="pl-s1">host</span><span class="pl-kos">}</span></span>:6379/0'</span>
<span class="pl-s1">app</span> <span class="pl-c1">=</span> <span class="pl-v">Celery</span>(<span class="pl-s">'tasks'</span>, <span class="pl-s1">broker</span><span class="pl-c1">=</span><span class="pl-s1">redis_str</span>, <span class="pl-s1">backend</span><span class="pl-c1">=</span><span class="pl-s1">redis_str</span>)
<span class="pl-en">@<span class="pl-s1">app</span>.<span class="pl-s1">task</span></span>
<span class="pl-k">def</span> <span class="pl-en">add</span>(<span class="pl-s1">x</span>, <span class="pl-s1">y</span>):
<span class="pl-k">return</span> <span class="pl-s1">x</span> <span class="pl-c1">+</span> <span class="pl-s1">y</span></pre></div>
<div class="highlight highlight-source-dockerfile notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="# Dockerfile
FROM python:3.9
ENV LANG=C.UTF-8 LC_ALL=C.UTF-8 PYTHONUNBUFFERED=1
RUN pip install https://github.com/celery/celery/zipball/master#egg=celery \
https://github.com/celery/billiard/zipball/master#egg=billiard \
https://github.com/celery/kombu/zipball/master#egg=kombu \
https://github.com/celery/vine/zipball/master#egg=vine
RUN pip install redis
COPY . /app
WORKDIR /app
CMD ["celery", "-A", "tasks", "worker", "-l" ,"DEBUG"]"><pre class="notranslate"><span class="pl-c"><span class="pl-c">#</span> Dockerfile</span>
<span class="pl-k">FROM</span> python:3.9
<span class="pl-k">ENV</span> LANG=C.UTF-8 LC_ALL=C.UTF-8 PYTHONUNBUFFERED=1
<span class="pl-k">RUN</span> pip install https://github.com/celery/celery/zipball/master#egg=celery \
https://github.com/celery/billiard/zipball/master#egg=billiard \
https://github.com/celery/kombu/zipball/master#egg=kombu \
https://github.com/celery/vine/zipball/master#egg=vine
<span class="pl-k">RUN</span> pip install redis
<span class="pl-k">COPY</span> . /app
<span class="pl-k">WORKDIR</span> /app
<span class="pl-k">CMD</span> [<span class="pl-s">"celery"</span>, <span class="pl-s">"-A"</span>, <span class="pl-s">"tasks"</span>, <span class="pl-s">"worker"</span>, <span class="pl-s">"-l"</span> ,<span class="pl-s">"DEBUG"</span>]</pre></div>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="docker build -f Dockerfile -t celery_dockerized .
docker run celery_dockerized"><pre class="notranslate">docker build -f Dockerfile -t celery_dockerized <span class="pl-c1">.</span>
docker run celery_dockerized</pre></div>
<ol start="2" dir="auto">
<li>Setup host machine celery, change <code class="notranslate">host="localhost"</code> for the host machine in tasks.py</li>
</ol>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="python3 -m venv venv # tried with python 3.7 and 3.9
source venv/bin/activate
pip install https://github.com/celery/celery/zipball/master#egg=celery \
https://github.com/celery/billiard/zipball/master#egg=billiard \
https://github.com/celery/kombu/zipball/master#egg=kombu \
https://github.com/celery/vine/zipball/master#egg=vine
pip install redis "><pre class="notranslate">python3 -m venv venv <span class="pl-c"><span class="pl-c">#</span> tried with python 3.7 and 3.9</span>
<span class="pl-c1">source</span> venv/bin/activate
pip install https://github.com/celery/celery/zipball/master#egg=celery \
https://github.com/celery/billiard/zipball/master#egg=billiard \
https://github.com/celery/kombu/zipball/master#egg=kombu \
https://github.com/celery/vine/zipball/master#egg=vine
pip install redis </pre></div>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="# tasks.py
from celery import Celery
host = "localhost"
redis_str = f'redis://{host}:6379/0'
app = Celery('tasks', broker=redis_str, backend=redis_str)
@app.task
def add(x, y):
return x + y"><pre class="notranslate"><span class="pl-c"># tasks.py</span>
<span class="pl-k">from</span> <span class="pl-s1">celery</span> <span class="pl-k">import</span> <span class="pl-v">Celery</span>
<span class="pl-s1">host</span> <span class="pl-c1">=</span> <span class="pl-s">"localhost"</span>
<span class="pl-s1">redis_str</span> <span class="pl-c1">=</span> <span class="pl-s">f'redis://<span class="pl-s1"><span class="pl-kos">{</span><span class="pl-s1">host</span><span class="pl-kos">}</span></span>:6379/0'</span>
<span class="pl-s1">app</span> <span class="pl-c1">=</span> <span class="pl-v">Celery</span>(<span class="pl-s">'tasks'</span>, <span class="pl-s1">broker</span><span class="pl-c1">=</span><span class="pl-s1">redis_str</span>, <span class="pl-s1">backend</span><span class="pl-c1">=</span><span class="pl-s1">redis_str</span>)
<span class="pl-en">@<span class="pl-s1">app</span>.<span class="pl-s1">task</span></span>
<span class="pl-k">def</span> <span class="pl-en">add</span>(<span class="pl-s1">x</span>, <span class="pl-s1">y</span>):
<span class="pl-k">return</span> <span class="pl-s1">x</span> <span class="pl-c1">+</span> <span class="pl-s1">y</span></pre></div>
<ol start="3" dir="auto">
<li>Trigger the task from host machine, it will give the task id</li>
</ol>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="% celery -A tasks call --args='[1,2]' tasks.add
<some_task_id>"><pre class="notranslate">% celery -A tasks call --args=<span class="pl-s"><span class="pl-pds">'</span>[1,2]<span class="pl-pds">'</span></span> tasks.add
<span class="pl-k"><</span>some_task_id<span class="pl-k">></span></pre></div>
<p dir="auto"></p>
</details>
<h1 dir="auto">Expected Behavior</h1>
<p dir="auto">Dockerized containers (linux) take and execute tasks that are initiated from host machine (mac m1).</p>
<h1 dir="auto">Actual Behavior</h1>
<p dir="auto">Dockerized containers (linux) does not take any tasks that are initiated from host machine (mac m1). Also, they also cannot see any other worker nodes on host machine. But, they can see other worker nodes within the docker container. There are no error/warning messages on celery workers.</p>
<ul dir="auto">
<li>Redis server logs, when a dockerized worker created</li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="18405:M 24 Mar 2021 17:13:05.576 - DB 0: 2 keys (0 volatile) in 8 slots HT.
18405:M 24 Mar 2021 17:13:09.565 - Accepted 192.168.64.6:57300
18405:M 24 Mar 2021 17:13:09.566 - Accepted 192.168.64.6:57302
18405:M 24 Mar 2021 17:13:10.740 - DB 0: 2 keys (0 volatile) in 8 slots HT.
18405:M 24 Mar 2021 17:13:14.581 - Accepted 192.168.64.6:57304
18405:M 24 Mar 2021 17:13:14.615 - Accepted 192.168.64.6:57306
18405:M 24 Mar 2021 17:13:14.619 - Accepted 192.168.64.6:57308
18405:M 24 Mar 2021 17:13:15.648 - Accepted 192.168.64.6:57310
18405:M 24 Mar 2021 17:13:15.654 - Accepted 192.168.64.6:57312
18405:M 24 Mar 2021 17:13:15.663 - Accepted 192.168.64.6:57314
18405:M 24 Mar 2021 17:13:15.669 - Accepted 192.168.64.6:57316
18405:M 24 Mar 2021 17:13:15.678 - Accepted 192.168.64.6:57318
18405:M 24 Mar 2021 17:13:15.717 * 100 changes in 300 seconds. Saving..."><pre class="notranslate"><code class="notranslate">18405:M 24 Mar 2021 17:13:05.576 - DB 0: 2 keys (0 volatile) in 8 slots HT.
18405:M 24 Mar 2021 17:13:09.565 - Accepted 192.168.64.6:57300
18405:M 24 Mar 2021 17:13:09.566 - Accepted 192.168.64.6:57302
18405:M 24 Mar 2021 17:13:10.740 - DB 0: 2 keys (0 volatile) in 8 slots HT.
18405:M 24 Mar 2021 17:13:14.581 - Accepted 192.168.64.6:57304
18405:M 24 Mar 2021 17:13:14.615 - Accepted 192.168.64.6:57306
18405:M 24 Mar 2021 17:13:14.619 - Accepted 192.168.64.6:57308
18405:M 24 Mar 2021 17:13:15.648 - Accepted 192.168.64.6:57310
18405:M 24 Mar 2021 17:13:15.654 - Accepted 192.168.64.6:57312
18405:M 24 Mar 2021 17:13:15.663 - Accepted 192.168.64.6:57314
18405:M 24 Mar 2021 17:13:15.669 - Accepted 192.168.64.6:57316
18405:M 24 Mar 2021 17:13:15.678 - Accepted 192.168.64.6:57318
18405:M 24 Mar 2021 17:13:15.717 * 100 changes in 300 seconds. Saving...
</code></pre></div>
<ul dir="auto">
<li>Worker node running inside docker, when a task created from host machine nothing happens. Or, when there is a new worker on host machine also nothing..</li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[2021-03-24 15:29:12,402: INFO/MainProcess] Connected to redis://host.docker.internal:6379/0
[2021-03-24 15:29:12,402: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:12,403: DEBUG/MainProcess] | Consumer: Starting Events
[2021-03-24 15:29:12,424: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:12,424: DEBUG/MainProcess] | Consumer: Starting Mingle
[2021-03-24 15:29:12,425: INFO/MainProcess] mingle: searching for neighbors
[2021-03-24 15:29:13,463: INFO/MainProcess] mingle: all alone
[2021-03-24 15:29:13,463: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:13,463: DEBUG/MainProcess] | Consumer: Starting Gossip
[2021-03-24 15:29:13,477: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:13,478: DEBUG/MainProcess] | Consumer: Starting Tasks
[2021-03-24 15:29:13,485: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:13,485: DEBUG/MainProcess] | Consumer: Starting Control
[2021-03-24 15:29:13,494: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:13,494: DEBUG/MainProcess] | Consumer: Starting Heart
[2021-03-24 15:29:13,500: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:13,501: DEBUG/MainProcess] | Consumer: Starting event loop
[2021-03-24 15:29:13,501: DEBUG/MainProcess] | Worker: Hub.register Pool...
[2021-03-24 15:29:13,501: INFO/MainProcess] celery@d03f98ad699a ready."><pre class="notranslate"><code class="notranslate">[2021-03-24 15:29:12,402: INFO/MainProcess] Connected to redis://host.docker.internal:6379/0
[2021-03-24 15:29:12,402: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:12,403: DEBUG/MainProcess] | Consumer: Starting Events
[2021-03-24 15:29:12,424: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:12,424: DEBUG/MainProcess] | Consumer: Starting Mingle
[2021-03-24 15:29:12,425: INFO/MainProcess] mingle: searching for neighbors
[2021-03-24 15:29:13,463: INFO/MainProcess] mingle: all alone
[2021-03-24 15:29:13,463: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:13,463: DEBUG/MainProcess] | Consumer: Starting Gossip
[2021-03-24 15:29:13,477: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:13,478: DEBUG/MainProcess] | Consumer: Starting Tasks
[2021-03-24 15:29:13,485: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:13,485: DEBUG/MainProcess] | Consumer: Starting Control
[2021-03-24 15:29:13,494: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:13,494: DEBUG/MainProcess] | Consumer: Starting Heart
[2021-03-24 15:29:13,500: DEBUG/MainProcess] ^-- substep ok
[2021-03-24 15:29:13,501: DEBUG/MainProcess] | Consumer: Starting event loop
[2021-03-24 15:29:13,501: DEBUG/MainProcess] | Worker: Hub.register Pool...
[2021-03-24 15:29:13,501: INFO/MainProcess] celery@d03f98ad699a ready.
</code></pre></div>
<ul dir="auto">
<li>Same worker node above, when another one created in the same docker container, or inside a new container. Also, it runs tasks that are triggered inside the same or other container just fine.</li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[2021-03-24 15:45:40,711: DEBUG/MainProcess] pidbox received method hello(from_node='celery@10dde1c3db69', revoked={}) [reply_to:{'exchange': 'reply.celery.pidbox', 'routing_key': 'acf00853-a0b7-3d14-bb4d-92295b74b1b8'} ticket:3bc055e9-d508-4f18-add5-bf80ffb83aa9]
[2021-03-24 15:45:40,711: INFO/MainProcess] sync with celery@10dde1c3db69
[2021-03-24 15:45:41,765: DEBUG/MainProcess] celery@10dde1c3db69 joined the party"><pre class="notranslate"><code class="notranslate">[2021-03-24 15:45:40,711: DEBUG/MainProcess] pidbox received method hello(from_node='celery@10dde1c3db69', revoked={}) [reply_to:{'exchange': 'reply.celery.pidbox', 'routing_key': 'acf00853-a0b7-3d14-bb4d-92295b74b1b8'} ticket:3bc055e9-d508-4f18-add5-bf80ffb83aa9]
[2021-03-24 15:45:40,711: INFO/MainProcess] sync with celery@10dde1c3db69
[2021-03-24 15:45:41,765: DEBUG/MainProcess] celery@10dde1c3db69 joined the party
</code></pre></div> | <h1 dir="auto">Checklist</h1>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have read the relevant section in the<br>
<a href="http://docs.celeryproject.org/en/latest/contributing.html#other-bugs" rel="nofollow">contribution guide</a><br>
on reporting bugs.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/celery/celery/issues?q=is%3Aissue+label%3A%22Issue+Type%3A+Bug+Report%22+-label%3A%22Category%3A+Documentation%22">issues list</a><br>
for similar or identical bug reports.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/celery/celery/pulls?q=is%3Apr+label%3A%22PR+Type%3A+Bugfix%22+-label%3A%22Category%3A+Documentation%22">pull requests list</a><br>
for existing proposed fixes.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have checked the <a href="https://github.com/celery/celery/commits/master">commit log</a><br>
to find out if the bug was already fixed in the master branch.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included all related issues and possible duplicate issues<br>
in this issue (If there are none, check this box anyway).</li>
</ul>
<h2 dir="auto">Mandatory Debugging Information</h2>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included the output of <code class="notranslate">celery -A proj report</code> in the issue.<br>
(if you are not able to do this, then at least specify the Celery<br>
version affected).</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have verified that the issue exists against the <code class="notranslate">master</code> branch of Celery.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included the contents of <code class="notranslate">pip freeze</code> in the issue.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have included all the versions of all the external dependencies required<br>
to reproduce this bug.</li>
</ul>
<h2 dir="auto">Optional Debugging Information</h2>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one Python version<br>
and/or implementation.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one message broker and/or<br>
result backend.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one version of the message<br>
broker and/or result backend.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one operating system.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one workers pool.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue with autoscaling, retries,<br>
ETA/Countdown & rate limits disabled.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue after downgrading<br>
and/or upgrading Celery and its dependencies.</li>
</ul>
<h2 dir="auto">Related Issues and Possible Duplicates</h2>
<h4 dir="auto">Related Issues</h4>
<ul dir="auto">
<li>None</li>
</ul>
<h4 dir="auto">Possible Duplicates</h4>
<p dir="auto"><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="327218798" data-permission-text="Title is private" data-url="https://github.com/celery/celery/issues/4777" data-hovercard-type="issue" data-hovercard-url="/celery/celery/issues/4777/hovercard" href="https://github.com/celery/celery/issues/4777">#4777</a> (but the work around "delete celerybeat-schedule file" does not work)</p>
<h2 dir="auto">Environment & Settings</h2>
<p dir="auto"><strong>Celery version</strong>:<br>
4.3.0 (rhubarb)</p>
<details>
<summary><b><code class="notranslate">celery report</code> Output:</b></summary>
<p dir="auto">
</p><div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="software -> celery:4.3.0 (rhubarb) kombu:4.4.0 py:3.7.2+
billiard:3.6.0.0 redis:3.2.1
platform -> system:Linux arch:64bit, ELF
kernel version:4.19.0-4-amd64 imp:CPython
loader -> celery.loaders.app.AppLoader
settings -> transport:redis results:redis://localhost:6379/0
BROKER_URL: 'redis://localhost:6379/0'
CELERY_RESULT_BACKEND: 'redis://localhost:6379/0'
ENV: 'production'
DEBUG: False
TESTING: False
PROPAGATE_EXCEPTIONS: None
PRESERVE_CONTEXT_ON_EXCEPTION: None
SECRET_KEY: '********'
PERMANENT_SESSION_LIFETIME: datetime.timedelta(days=31)
USE_X_SENDFILE: False
SERVER_NAME: None
APPLICATION_ROOT: '/'
SESSION_COOKIE_NAME: 'session'
SESSION_COOKIE_DOMAIN: None
SESSION_COOKIE_PATH: None
SESSION_COOKIE_HTTPONLY: True
SESSION_COOKIE_SECURE: False
SESSION_COOKIE_SAMESITE: None
SESSION_REFRESH_EACH_REQUEST: True
MAX_CONTENT_LENGTH: None
SEND_FILE_MAX_AGE_DEFAULT: datetime.timedelta(seconds=43200)
TRAP_BAD_REQUEST_ERRORS: None
TRAP_HTTP_EXCEPTIONS: False
EXPLAIN_TEMPLATE_LOADING: False
PREFERRED_URL_SCHEME: 'http'
JSON_AS_ASCII: True
JSON_SORT_KEYS: '********'
JSONIFY_PRETTYPRINT_REGULAR: False
JSONIFY_MIMETYPE: 'application/json'
TEMPLATES_AUTO_RELOAD: None
MAX_COOKIE_SIZE: 4093
CACHE_DEFAULT_TIMEOUT: 300
CACHE_TYPE: 'redis'
CELERYBEAT_SCHEDULE: {
'purge_old_data': { 'kwargs': {'max_hours': 48},
'schedule': datetime.timedelta(seconds=600),
'task': 'purge_old_data'},
'update-country-codes': { 'schedule': datetime.timedelta(seconds=60),
'task': 'update_receivers_country_code'},
'update-ddb': { 'schedule': datetime.timedelta(seconds=3600),
'task': 'import_ddb'},
'update-logbook': { 'schedule': datetime.timedelta(seconds=60),
'task': 'update_logbook_entries'},
'update-max-altitudes': { 'schedule': <crontab: 30 0 * * * (m/h/d/dM/MY)>,
'task': 'update_logbook_max_altitude'},
'update-stats-daily': { 'kwargs': {'day_offset': -1},
'schedule': <crontab: 5 0 * * * (m/h/d/dM/MY)>,
'task': 'update_stats'},
'update-takeoff-and-landing': { 'kwargs': {'last_minutes': 10},
'schedule': datetime.timedelta(seconds=60),
'task': 'update_takeoff_landings'}}
CELERY_BROKER_URL: 'redis://localhost:6379/0'
SQLALCHEMY_DATABASE_URI: '********'
SQLALCHEMY_TRACK_MODIFICATIONS: False
BOOTSTRAP_USE_MINIFIED: True
BOOTSTRAP_CDN_FORCE_SSL: False
BOOTSTRAP_QUERYSTRING_REVVING: True
BOOTSTRAP_SERVE_LOCAL: False
BOOTSTRAP_LOCAL_SUBDOMAIN: None
SQLALCHEMY_BINDS: None
SQLALCHEMY_NATIVE_UNICODE: None
SQLALCHEMY_ECHO: False
SQLALCHEMY_RECORD_QUERIES: None
SQLALCHEMY_POOL_SIZE: None
SQLALCHEMY_POOL_TIMEOUT: None
SQLALCHEMY_POOL_RECYCLE: None
SQLALCHEMY_MAX_OVERFLOW: None
SQLALCHEMY_COMMIT_ON_TEARDOWN: False"><pre class="notranslate"><code class="notranslate">software -> celery:4.3.0 (rhubarb) kombu:4.4.0 py:3.7.2+
billiard:3.6.0.0 redis:3.2.1
platform -> system:Linux arch:64bit, ELF
kernel version:4.19.0-4-amd64 imp:CPython
loader -> celery.loaders.app.AppLoader
settings -> transport:redis results:redis://localhost:6379/0
BROKER_URL: 'redis://localhost:6379/0'
CELERY_RESULT_BACKEND: 'redis://localhost:6379/0'
ENV: 'production'
DEBUG: False
TESTING: False
PROPAGATE_EXCEPTIONS: None
PRESERVE_CONTEXT_ON_EXCEPTION: None
SECRET_KEY: '********'
PERMANENT_SESSION_LIFETIME: datetime.timedelta(days=31)
USE_X_SENDFILE: False
SERVER_NAME: None
APPLICATION_ROOT: '/'
SESSION_COOKIE_NAME: 'session'
SESSION_COOKIE_DOMAIN: None
SESSION_COOKIE_PATH: None
SESSION_COOKIE_HTTPONLY: True
SESSION_COOKIE_SECURE: False
SESSION_COOKIE_SAMESITE: None
SESSION_REFRESH_EACH_REQUEST: True
MAX_CONTENT_LENGTH: None
SEND_FILE_MAX_AGE_DEFAULT: datetime.timedelta(seconds=43200)
TRAP_BAD_REQUEST_ERRORS: None
TRAP_HTTP_EXCEPTIONS: False
EXPLAIN_TEMPLATE_LOADING: False
PREFERRED_URL_SCHEME: 'http'
JSON_AS_ASCII: True
JSON_SORT_KEYS: '********'
JSONIFY_PRETTYPRINT_REGULAR: False
JSONIFY_MIMETYPE: 'application/json'
TEMPLATES_AUTO_RELOAD: None
MAX_COOKIE_SIZE: 4093
CACHE_DEFAULT_TIMEOUT: 300
CACHE_TYPE: 'redis'
CELERYBEAT_SCHEDULE: {
'purge_old_data': { 'kwargs': {'max_hours': 48},
'schedule': datetime.timedelta(seconds=600),
'task': 'purge_old_data'},
'update-country-codes': { 'schedule': datetime.timedelta(seconds=60),
'task': 'update_receivers_country_code'},
'update-ddb': { 'schedule': datetime.timedelta(seconds=3600),
'task': 'import_ddb'},
'update-logbook': { 'schedule': datetime.timedelta(seconds=60),
'task': 'update_logbook_entries'},
'update-max-altitudes': { 'schedule': <crontab: 30 0 * * * (m/h/d/dM/MY)>,
'task': 'update_logbook_max_altitude'},
'update-stats-daily': { 'kwargs': {'day_offset': -1},
'schedule': <crontab: 5 0 * * * (m/h/d/dM/MY)>,
'task': 'update_stats'},
'update-takeoff-and-landing': { 'kwargs': {'last_minutes': 10},
'schedule': datetime.timedelta(seconds=60),
'task': 'update_takeoff_landings'}}
CELERY_BROKER_URL: 'redis://localhost:6379/0'
SQLALCHEMY_DATABASE_URI: '********'
SQLALCHEMY_TRACK_MODIFICATIONS: False
BOOTSTRAP_USE_MINIFIED: True
BOOTSTRAP_CDN_FORCE_SSL: False
BOOTSTRAP_QUERYSTRING_REVVING: True
BOOTSTRAP_SERVE_LOCAL: False
BOOTSTRAP_LOCAL_SUBDOMAIN: None
SQLALCHEMY_BINDS: None
SQLALCHEMY_NATIVE_UNICODE: None
SQLALCHEMY_ECHO: False
SQLALCHEMY_RECORD_QUERIES: None
SQLALCHEMY_POOL_SIZE: None
SQLALCHEMY_POOL_TIMEOUT: None
SQLALCHEMY_POOL_RECYCLE: None
SQLALCHEMY_MAX_OVERFLOW: None
SQLALCHEMY_COMMIT_ON_TEARDOWN: False
</code></pre></div>
<p dir="auto"></p>
</details>
<h1 dir="auto">Steps to Reproduce</h1>
<h2 dir="auto">Required Dependencies</h2>
<ul dir="auto">
<li><strong>Minimal Python Version</strong>: 3.7</li>
<li><strong>Minimal Celery Version</strong>: N/A or Unknown</li>
<li><strong>Minimal Kombu Version</strong>: N/A or Unknown</li>
<li><strong>Minimal Broker Version</strong>: N/A or Unknown</li>
<li><strong>Minimal Result Backend Version</strong>: N/A or Unknown</li>
<li><strong>Minimal OS and/or Kernel Version</strong>: N/A or Unknown</li>
<li><strong>Minimal Broker Client Version</strong>: N/A or Unknown</li>
<li><strong>Minimal Result Backend Client Version</strong>: N/A or Unknown</li>
</ul>
<h3 dir="auto">Python Packages</h3>
<details>
<summary><b><code class="notranslate">pip freeze</code> Output:</b></summary>
<p dir="auto">
</p><div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="aerofiles==0.4.1
alembic==1.0.8
amqp==2.4.2
Babel==2.6.0
billiard==3.6.0.0
celery==4.3.0
certifi==2019.3.9
chardet==3.0.4
Click==7.0
coverage==4.5.3
coveralls==1.2.0
docopt==0.6.2
dominate==2.3.5
flake8==3.5.0
Flask==1.0.2
Flask-Bootstrap==3.3.7.1
Flask-Caching==1.7.0
Flask-Migrate==2.3.1
flask-nav==0.6
Flask-SQLAlchemy==2.3.2
flower==0.9.2
GeoAlchemy2==0.5.0
geographiclib==1.49
geopy==1.17.0
idna==2.8
itsdangerous==1.1.0
Jinja2==2.10
kombu==4.4.0
lxml==4.3.2
Mako==1.0.7
MarkupSafe==1.1.1
mccabe==0.6.1
mgrs==1.3.5
nose==1.3.7
ogn-client==0.9.1
-e git+http://github.com/Meisterschueler/ogn-python@a177049d6e6d02e288b6ed141bab04efd878e53f#egg=ogn_python
pkg-resources==0.0.0
psycopg2-binary==2.7.6.1
pycodestyle==2.3.1
pyflakes==1.6.0
python-dateutil==2.8.0
python-editor==1.0.4
pytz==2018.9
redis==3.2.1
requests==2.21.0
Shapely==1.5.17
six==1.12.0
SQLAlchemy==1.3.1
tornado==5.1.1
tqdm==4.28.1
urllib3==1.24.1
vine==1.3.0
visitor==0.1.3
Werkzeug==0.14.1
xmlunittest==0.5.0"><pre class="notranslate"><code class="notranslate">aerofiles==0.4.1
alembic==1.0.8
amqp==2.4.2
Babel==2.6.0
billiard==3.6.0.0
celery==4.3.0
certifi==2019.3.9
chardet==3.0.4
Click==7.0
coverage==4.5.3
coveralls==1.2.0
docopt==0.6.2
dominate==2.3.5
flake8==3.5.0
Flask==1.0.2
Flask-Bootstrap==3.3.7.1
Flask-Caching==1.7.0
Flask-Migrate==2.3.1
flask-nav==0.6
Flask-SQLAlchemy==2.3.2
flower==0.9.2
GeoAlchemy2==0.5.0
geographiclib==1.49
geopy==1.17.0
idna==2.8
itsdangerous==1.1.0
Jinja2==2.10
kombu==4.4.0
lxml==4.3.2
Mako==1.0.7
MarkupSafe==1.1.1
mccabe==0.6.1
mgrs==1.3.5
nose==1.3.7
ogn-client==0.9.1
-e git+http://github.com/Meisterschueler/ogn-python@a177049d6e6d02e288b6ed141bab04efd878e53f#egg=ogn_python
pkg-resources==0.0.0
psycopg2-binary==2.7.6.1
pycodestyle==2.3.1
pyflakes==1.6.0
python-dateutil==2.8.0
python-editor==1.0.4
pytz==2018.9
redis==3.2.1
requests==2.21.0
Shapely==1.5.17
six==1.12.0
SQLAlchemy==1.3.1
tornado==5.1.1
tqdm==4.28.1
urllib3==1.24.1
vine==1.3.0
visitor==0.1.3
Werkzeug==0.14.1
xmlunittest==0.5.0
</code></pre></div>
<p dir="auto"></p>
</details>
<h3 dir="auto">Other Dependencies</h3>
<details>
<p dir="auto">
N/A
</p>
</details>
<h2 dir="auto">Minimally Reproducible Test Case</h2>
<ol dir="auto">
<li>start the redis server <code class="notranslate">redis-server</code></li>
<li>start the worker <code class="notranslate">celery -A ogn_python.collect worker -l info</code></li>
<li>start the beat <code class="notranslate">celery -A ogn_python.collect beat -l info</code></li>
</ol>
<details>
<p dir="auto">
</p><div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=""><pre class="notranslate"></pre></div>
<p dir="auto"></p>
</details>
<h1 dir="auto">Expected Behavior</h1>
<p dir="auto">Beat is running</p>
<h1 dir="auto">Actual Behavior</h1>
<p dir="auto">Beat is crashing</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ celery -A ogn_python.collect beat -l info
celery beat v4.3.0 (rhubarb) is starting.
__ - ... __ - _
LocalTime -> 2019-04-08 20:59:02
Configuration ->
. broker -> redis://localhost:6379/0
. loader -> celery.loaders.app.AppLoader
. scheduler -> celery.beat.PersistentScheduler
. db -> celerybeat-schedule
. logfile -> [stderr]@%INFO
. maxinterval -> 5.00 minutes (300s)
[2019-04-08 20:59:02,200: INFO/MainProcess] beat: Starting...
[2019-04-08 20:59:02,216: CRITICAL/MainProcess] beat raised exception <class '_dbm.error'>: error('cannot add item to database')
Traceback (most recent call last):
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/kombu/utils/objects.py", line 42, in __get__
return obj.__dict__[self.__name__]
KeyError: 'scheduler'
During handling of the above exception, another exception occurred:
Traceback (most recent call last):
File "/usr/lib/python3.7/shelve.py", line 111, in __getitem__
value = self.cache[key]
KeyError: 'entries'
During handling of the above exception, another exception occurred:
Traceback (most recent call last):
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 524, in _create_schedule
self._store[str('entries')]
File "/usr/lib/python3.7/shelve.py", line 113, in __getitem__
f = BytesIO(self.dict[key.encode(self.keyencoding)])
KeyError: b'entries'
During handling of the above exception, another exception occurred:
Traceback (most recent call last):
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/apps/beat.py", line 109, in start_scheduler
service.start()
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 588, in start
humanize_seconds(self.scheduler.max_interval))
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/kombu/utils/objects.py", line 44, in __get__
value = obj.__dict__[self.__name__] = self.__get(obj)
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 632, in scheduler
return self.get_scheduler()
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 627, in get_scheduler
lazy=lazy,
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 467, in __init__
Scheduler.__init__(self, *args, **kwargs)
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 226, in __init__
self.setup_schedule()
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 495, in setup_schedule
self._create_schedule()
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 528, in _create_schedule
self._store[str('entries')] = {}
File "/usr/lib/python3.7/shelve.py", line 125, in __setitem__
self.dict[key.encode(self.keyencoding)] = f.getvalue()
_dbm.error: cannot add item to database"><pre class="notranslate"><code class="notranslate">$ celery -A ogn_python.collect beat -l info
celery beat v4.3.0 (rhubarb) is starting.
__ - ... __ - _
LocalTime -> 2019-04-08 20:59:02
Configuration ->
. broker -> redis://localhost:6379/0
. loader -> celery.loaders.app.AppLoader
. scheduler -> celery.beat.PersistentScheduler
. db -> celerybeat-schedule
. logfile -> [stderr]@%INFO
. maxinterval -> 5.00 minutes (300s)
[2019-04-08 20:59:02,200: INFO/MainProcess] beat: Starting...
[2019-04-08 20:59:02,216: CRITICAL/MainProcess] beat raised exception <class '_dbm.error'>: error('cannot add item to database')
Traceback (most recent call last):
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/kombu/utils/objects.py", line 42, in __get__
return obj.__dict__[self.__name__]
KeyError: 'scheduler'
During handling of the above exception, another exception occurred:
Traceback (most recent call last):
File "/usr/lib/python3.7/shelve.py", line 111, in __getitem__
value = self.cache[key]
KeyError: 'entries'
During handling of the above exception, another exception occurred:
Traceback (most recent call last):
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 524, in _create_schedule
self._store[str('entries')]
File "/usr/lib/python3.7/shelve.py", line 113, in __getitem__
f = BytesIO(self.dict[key.encode(self.keyencoding)])
KeyError: b'entries'
During handling of the above exception, another exception occurred:
Traceback (most recent call last):
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/apps/beat.py", line 109, in start_scheduler
service.start()
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 588, in start
humanize_seconds(self.scheduler.max_interval))
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/kombu/utils/objects.py", line 44, in __get__
value = obj.__dict__[self.__name__] = self.__get(obj)
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 632, in scheduler
return self.get_scheduler()
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 627, in get_scheduler
lazy=lazy,
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 467, in __init__
Scheduler.__init__(self, *args, **kwargs)
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 226, in __init__
self.setup_schedule()
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 495, in setup_schedule
self._create_schedule()
File "/var/www/html/ogn-python/venv/lib/python3.7/site-packages/celery/beat.py", line 528, in _create_schedule
self._store[str('entries')] = {}
File "/usr/lib/python3.7/shelve.py", line 125, in __setitem__
self.dict[key.encode(self.keyencoding)] = f.getvalue()
_dbm.error: cannot add item to database
</code></pre></div> | 0 |
<p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=tanmoy.banerjee" rel="nofollow">tanmoy banerjee</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-7432?redirect=false" rel="nofollow">SPR-7432</a></strong> and commented</p>
<p dir="auto">Hi,</p>
<p dir="auto">In Spring pet-clinic, the implementation is an MVC application serving a browser client. Hence, ModelANdView with<br>
contentNegotiationViewResolver works fine.</p>
<p dir="auto">From the pet-clinic application:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="@RequestMapping(value="/owners/*/pets/{petId}/visits", method=RequestMethod.GET)
public ModelAndView visitsHandler(@PathVariable int petId) {
ModelAndView mav = new ModelAndView("visits");
mav.addObject("visits", this.clinic.loadPet(petId).getVisits());
return mav;
}
"><pre class="notranslate"><code class="notranslate">@RequestMapping(value="/owners/*/pets/{petId}/visits", method=RequestMethod.GET)
public ModelAndView visitsHandler(@PathVariable int petId) {
ModelAndView mav = new ModelAndView("visits");
mav.addObject("visits", this.clinic.loadPet(petId).getVisits());
return mav;
}
</code></pre></div>
<p dir="auto">I was trying to create a simple application which has a Restful Service provider, with browser and non-browser clients. My sample application ( mvc application - for browser client) - given in the spring forum</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="@RequestMapping(value = "products/search", method = RequestMethod.GET)
public ModelAndView readAllProducts() {
List<Product> products = productService.findAllProducts();
ModelAndView mav = new ModelAndView();
mav.addObject("products", products);
mav.setViewName("products");
return mav;
}
@RequestMapping(value = "products/new", method = RequestMethod.POST)
public String createProduct(@ModelAttribute Product product) {
Product createdProduct = productService.saveOrUpdate(product);
return "redirect:/products/search";
}"><pre class="notranslate"><code class="notranslate">@RequestMapping(value = "products/search", method = RequestMethod.GET)
public ModelAndView readAllProducts() {
List<Product> products = productService.findAllProducts();
ModelAndView mav = new ModelAndView();
mav.addObject("products", products);
mav.setViewName("products");
return mav;
}
@RequestMapping(value = "products/new", method = RequestMethod.POST)
public String createProduct(@ModelAttribute Product product) {
Product createdProduct = productService.saveOrUpdate(product);
return "redirect:/products/search";
}
</code></pre></div>
<p dir="auto">Also, when the controller is created for a rest client,by creating similar methods a bit differently, mainly changing the <code class="notranslate">@ModelAttribute</code> to <code class="notranslate">@RequestBody</code> and the return type of the method to <code class="notranslate">@ResponseBody</code> Product from ModelAndView, it works fine.</p>
<p dir="auto">(mvc restful application - for non-browser client)</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="@RequestMapping(value = "products/search", method = RequestMethod.GET)
public @ResponseBody
List<Product> getProducts() {
return productService.findAllProducts();
}
@RequestMapping(value = "products/new", method = RequestMethod.POST)
public @ResponseBody
Product createProduct(@RequestBody Product product) {
return productService.saveOrUpdate(product);
}"><pre class="notranslate"><code class="notranslate">@RequestMapping(value = "products/search", method = RequestMethod.GET)
public @ResponseBody
List<Product> getProducts() {
return productService.findAllProducts();
}
@RequestMapping(value = "products/new", method = RequestMethod.POST)
public @ResponseBody
Product createProduct(@RequestBody Product product) {
return productService.saveOrUpdate(product);
}
</code></pre></div>
<p dir="auto">However, when the requirement is like this that the application should have a normal MVC behavior, as well as serve non-browser REST clients, currently there isn't a way out other than duplicating the methods/creating separate URIs though the resource to be delivered is the same.</p>
<p dir="auto">I feel that this should be possible that when i type in the URI.html in a browser , i get the the JSP rendered HTML; while if I run a REST client (non-browser), it should be able to provide me the json/xml/atom as per the media type requested. Currently this is not easy/intuitive as the MVC is returning ModelAndView, or String view but this is not working out for a REST client for which forcefully using a ModelAndVIew doesn't make sense.</p>
<p dir="auto">Similarly, for MVC, <code class="notranslate">@ModelAttribute</code> is to be used. For REST, where restTemplate POSTs to the URI, <code class="notranslate">@ModelAttribute</code> doesnt work and has to be replaced by <code class="notranslate">@RequestBody</code>.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="@Test
public void testPostProduct() {
URI createProductURI = getURI(PRODUCTS_NEW);
Product product = mockNewProduct();
HttpEntity<Product> entity = new HttpEntity<Product>(product);
Product productReturned = this.restTemplate.postForObject(
createProductURI, product, Product.class);
Assert.assertEquals(product, productReturned);
}"><pre class="notranslate"><code class="notranslate">@Test
public void testPostProduct() {
URI createProductURI = getURI(PRODUCTS_NEW);
Product product = mockNewProduct();
HttpEntity<Product> entity = new HttpEntity<Product>(product);
Product productReturned = this.restTemplate.postForObject(
createProductURI, product, Product.class);
Assert.assertEquals(product, productReturned);
}
</code></pre></div>
<p dir="auto">Let me know if</p>
<ol dir="auto">
<li>
<p dir="auto">ModelAndView/ResponseBody - ResponseEntity can be made compatible to be used in either ways</p>
</li>
<li>
<p dir="auto">Same for <code class="notranslate">@ModelAttribute</code> and <code class="notranslate">@RequestBody</code></p>
</li>
<li>
<p dir="auto">Are there anty architecture concerns/reasons for not providing such an option. Though I understand the two ways are for different purposes, I think the API should not restrict this.</p>
</li>
</ol>
<p dir="auto">Thanks,</p>
<p dir="auto">Tanmoy</p>
<hr>
<p dir="auto"><strong>Reference URL:</strong> <a href="http://forum.springsource.org/showthread.php?t=93358" rel="nofollow">http://forum.springsource.org/showthread.php?t=93358</a></p> | <p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=martino" rel="nofollow">Martin Ouellet</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-3490?redirect=false" rel="nofollow">SPR-3490</a></strong> and commented</p>
<p dir="auto">In method "public void afterPropertiesSet()" of EhCacheFactoryBean, only cache region created on the fly (i.e. they have no named definition in the xml ehcache configuration file) seems to be decorated. When one defines a named cache, it will never be decorated eventhough one provides a non null CacheEntryFactory property.</p>
<p dir="auto">We should have these included in the appropriate condition:</p>
<p dir="auto">if (this.cacheManager.cacheExists(this.cacheName)) {<br>
...<br>
Ehcache decoratedCache = decorateCache(this.cache);<br>
this.cacheManager.replaceCacheWithDecoratedCache(this.cache, decoratedCache);<br>
this.cache = decoratedCache;<br>
}<br>
else ...</p>
<p dir="auto">Martin</p>
<hr>
<p dir="auto"><strong>Affects:</strong> 2.0.5</p>
<p dir="auto"><strong>Issue Links:</strong></p>
<ul dir="auto">
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="398081153" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/8594" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/8594/hovercard" href="https://github.com/spring-projects/spring-framework/issues/8594">#8594</a> EhCacheFactoryBean.setBlocking doesn't work for named caches. (<em><strong>"is duplicated by"</strong></em>)</li>
</ul> | 0 |
<ol dir="auto">
<li>Waypoint: Create a Form Element</li>
</ol>
<p dir="auto">When working on this challenge I was prompted to move onto the next challenge. Then I noticed that the text input box disappeared from the app.</p>
<p dir="auto">So I looked back at what I input and noticed that I forgot to close the opening form tag<br>
<a href="http://i.imgur.com/s5r5Zoq.png" rel="nofollow">http://i.imgur.com/s5r5Zoq.png</a></p>
<p dir="auto">I'm glad I didn't move along thinking I did it correctly, but also wondered how many others may have made the same mistake thinking they were correct.</p> | <p dir="auto">I tested this out in several lessons and in several different places.</p>
<p dir="auto">Most of the time if you type <code class="notranslate"></</code> it doesn't have any affect on the list of tasks down the left hand side.</p>
<p dir="auto">If you put it at the end of the html editor then it breaks the <code class="notranslate">testSuite</code> sidebar.</p>
<p dir="auto">Tested it on 15 randomly selected waypoint lessons and seems to affect all pages.</p> | 1 |
<h2 dir="auto">Problem</h2>
<p dir="auto">When you have long lines in a JS file with single line comments at their end strange things happen. The issues happen to me twice today but only in specific cases (each time I was coding a concatenation of variables and strings) so I put examples that only need to be copy and paste.</p>
<h2 dir="auto">Configuration</h2>
<p dir="auto">Atom version 0.165.0<br>
Mac OS X version 10.10.2.<br>
File in JS language and encoded in UTF-8.</p>
<h2 dir="auto">Examples</h2>
<h4 dir="auto">1) Second line commented</h4>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="$("#answer-" + (maxAnswers + 1)).html("<h1 class=\"help-title\">" + term.substring(0, wordPos) + "<span class=\"match\">" + term.substr(wordPos, this.help.val().length) + "</span>" + "test".substring(this.help.val().length) + "</h1>"); // Put the answer in the appropriate div.
$("#answer-" + (maxAnswers + 1)).html("<h1 class=\"help-title\">" + term.substring(0, wordPos) + "<span class=\"match\">" + term.substr(wordPos, this.help.val().length) + "</span>" + "test".substring(this.help.val().length) + "</h1>" ); // Put the answer in the appropriate div."><pre class="notranslate"><span class="pl-en">$</span><span class="pl-kos">(</span><span class="pl-s">"#answer-"</span> <span class="pl-c1">+</span> <span class="pl-kos">(</span><span class="pl-s1">maxAnswers</span> <span class="pl-c1">+</span> <span class="pl-c1">1</span><span class="pl-kos">)</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">html</span><span class="pl-kos">(</span><span class="pl-s">"<h1 class=\"help-title\">"</span> <span class="pl-c1">+</span> <span class="pl-s1">term</span><span class="pl-kos">.</span><span class="pl-en">substring</span><span class="pl-kos">(</span><span class="pl-c1">0</span><span class="pl-kos">,</span> <span class="pl-s1">wordPos</span><span class="pl-kos">)</span> <span class="pl-c1">+</span> <span class="pl-s">"<span class=\"match\">"</span> <span class="pl-c1">+</span> <span class="pl-s1">term</span><span class="pl-kos">.</span><span class="pl-en">substr</span><span class="pl-kos">(</span><span class="pl-s1">wordPos</span><span class="pl-kos">,</span> <span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">help</span><span class="pl-kos">.</span><span class="pl-en">val</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-c1">length</span><span class="pl-kos">)</span> <span class="pl-c1">+</span> <span class="pl-s">"</span>"</span> <span class="pl-c1">+</span> <span class="pl-s">"test"</span><span class="pl-kos">.</span><span class="pl-en">substring</span><span class="pl-kos">(</span><span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">help</span><span class="pl-kos">.</span><span class="pl-en">val</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-c1">length</span><span class="pl-kos">)</span> <span class="pl-c1">+</span> <span class="pl-s">"</h1>"</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-c">// Put the answer in the appropriate div.</span>
<span class="pl-en">$</span><span class="pl-kos">(</span><span class="pl-s">"#answer-"</span> <span class="pl-c1">+</span> <span class="pl-kos">(</span><span class="pl-s1">maxAnswers</span> <span class="pl-c1">+</span> <span class="pl-c1">1</span><span class="pl-kos">)</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">html</span><span class="pl-kos">(</span><span class="pl-s">"<h1 class=\"help-title\">"</span> <span class="pl-c1">+</span> <span class="pl-s1">term</span><span class="pl-kos">.</span><span class="pl-en">substring</span><span class="pl-kos">(</span><span class="pl-c1">0</span><span class="pl-kos">,</span> <span class="pl-s1">wordPos</span><span class="pl-kos">)</span> <span class="pl-c1">+</span> <span class="pl-s">"<span class=\"match\">"</span> <span class="pl-c1">+</span> <span class="pl-s1">term</span><span class="pl-kos">.</span><span class="pl-en">substr</span><span class="pl-kos">(</span><span class="pl-s1">wordPos</span><span class="pl-kos">,</span> <span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">help</span><span class="pl-kos">.</span><span class="pl-en">val</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-c1">length</span><span class="pl-kos">)</span> <span class="pl-c1">+</span> <span class="pl-s">"</span>"</span> <span class="pl-c1">+</span> <span class="pl-s">"test"</span><span class="pl-kos">.</span><span class="pl-en">substring</span><span class="pl-kos">(</span><span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">help</span><span class="pl-kos">.</span><span class="pl-en">val</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-c1">length</span><span class="pl-kos">)</span> <span class="pl-c1">+</span> <span class="pl-s">"</h1>"</span> <span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-c">// Put the answer in the appropriate div.</span></pre></div>
<p dir="auto">This code in Atom will put the second line in comment:<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/2117580/5603634/472a9428-938f-11e4-9ad8-119883c9760a.png"><img src="https://cloud.githubusercontent.com/assets/2117580/5603634/472a9428-938f-11e4-9ad8-119883c9760a.png" alt="capture d ecran 2015-01-03 a 21 26 45" style="max-width: 100%;"></a><br>
The second line has only one comment at its end but the entire looks commented. If you run this code the second line will be executed as it should.</p>
<h4 dir="auto">2) No comment</h4>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="$("#answer-" + (maxAnswers + 1)).html("<h1 class=\"help-title\">" + term.substring(0, wordPos) + "<span class=\"match\">" + term.substr(wordPos, this.help.val().length) + "</span>" + term.substring(wordPos + this.help.val().length) + "</h1>" + result); // Put the answer in the appropriate div"><pre class="notranslate"><span class="pl-en">$</span><span class="pl-kos">(</span><span class="pl-s">"#answer-"</span> <span class="pl-c1">+</span> <span class="pl-kos">(</span><span class="pl-s1">maxAnswers</span> <span class="pl-c1">+</span> <span class="pl-c1">1</span><span class="pl-kos">)</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">html</span><span class="pl-kos">(</span><span class="pl-s">"<h1 class=\"help-title\">"</span> <span class="pl-c1">+</span> <span class="pl-s1">term</span><span class="pl-kos">.</span><span class="pl-en">substring</span><span class="pl-kos">(</span><span class="pl-c1">0</span><span class="pl-kos">,</span> <span class="pl-s1">wordPos</span><span class="pl-kos">)</span> <span class="pl-c1">+</span> <span class="pl-s">"<span class=\"match\">"</span> <span class="pl-c1">+</span> <span class="pl-s1">term</span><span class="pl-kos">.</span><span class="pl-en">substr</span><span class="pl-kos">(</span><span class="pl-s1">wordPos</span><span class="pl-kos">,</span> <span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">help</span><span class="pl-kos">.</span><span class="pl-en">val</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-c1">length</span><span class="pl-kos">)</span> <span class="pl-c1">+</span> <span class="pl-s">"</span>"</span> <span class="pl-c1">+</span> <span class="pl-s1">term</span><span class="pl-kos">.</span><span class="pl-en">substring</span><span class="pl-kos">(</span><span class="pl-s1">wordPos</span> <span class="pl-c1">+</span> <span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">help</span><span class="pl-kos">.</span><span class="pl-en">val</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-c1">length</span><span class="pl-kos">)</span> <span class="pl-c1">+</span> <span class="pl-s">"</h1>"</span> <span class="pl-c1">+</span> <span class="pl-s1">result</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-c">// Put the answer in the appropriate div</span></pre></div>
<p dir="auto">The comment is not correctly displayed:<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/2117580/5603657/ba8c720a-9390-11e4-9bc0-87f27c3b7ca3.png"><img src="https://cloud.githubusercontent.com/assets/2117580/5603657/ba8c720a-9390-11e4-9bc0-87f27c3b7ca3.png" alt="capture d ecran 2015-01-03 a 21 37 18" style="max-width: 100%;"></a></p> | <p dir="auto">I opened a Python file with the following line (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="20976125" data-permission-text="Title is private" data-url="https://github.com/atom/atom/issues/963" data-hovercard-type="pull_request" data-hovercard-url="/atom/atom/pull/963/hovercard" href="https://github.com/atom/atom/pull/963">#963</a>):</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" PrintAndLog(u"SSID: " + RememberedNetwork["SSIDString"].decode("utf-8") + u" - BSSID: " + RememberedNetwork["CachedScanRecord"]["BSSID"] + u" - RSSI: " + str(RememberedNetwork["CachedScanRecord"]["RSSI"]) + u" - Last connected: " + str(RememberedNetwork["LastConnected"]) + u" - Security type: " + RememberedNetwork["SecurityType"] + u" - Geolocation: " + Geolocation, "INFO")"><pre class="notranslate"> <span class="pl-v">PrintAndLog</span>(<span class="pl-s">u"SSID: "</span> <span class="pl-c1">+</span> <span class="pl-v">RememberedNetwork</span>[<span class="pl-s">"SSIDString"</span>].<span class="pl-en">decode</span>(<span class="pl-s">"utf-8"</span>) <span class="pl-c1">+</span> <span class="pl-s">u" - BSSID: "</span> <span class="pl-c1">+</span> <span class="pl-v">RememberedNetwork</span>[<span class="pl-s">"CachedScanRecord"</span>][<span class="pl-s">"BSSID"</span>] <span class="pl-c1">+</span> <span class="pl-s">u" - RSSI: "</span> <span class="pl-c1">+</span> <span class="pl-en">str</span>(<span class="pl-v">RememberedNetwork</span>[<span class="pl-s">"CachedScanRecord"</span>][<span class="pl-s">"RSSI"</span>]) <span class="pl-c1">+</span> <span class="pl-s">u" - Last connected: "</span> <span class="pl-c1">+</span> <span class="pl-en">str</span>(<span class="pl-v">RememberedNetwork</span>[<span class="pl-s">"LastConnected"</span>]) <span class="pl-c1">+</span> <span class="pl-s">u" - Security type: "</span> <span class="pl-c1">+</span> <span class="pl-v">RememberedNetwork</span>[<span class="pl-s">"SecurityType"</span>] <span class="pl-c1">+</span> <span class="pl-s">u" - Geolocation: "</span> <span class="pl-c1">+</span> <span class="pl-v">Geolocation</span>, <span class="pl-s">"INFO"</span>)</pre></div>
<p dir="auto">Which led to the following bug:<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://camo.githubusercontent.com/e06069206d526a16adf21e84cd179f1185d3fb5e0f05fea4d4b4a08a978092f4/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f34343737342f323331333737382f37366262346262612d613330642d313165332d396136342d3831663666393163323563342e706e67"><img src="https://camo.githubusercontent.com/e06069206d526a16adf21e84cd179f1185d3fb5e0f05fea4d4b4a08a978092f4/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f34343737342f323331333737382f37366262346262612d613330642d313165332d396136342d3831663666393163323563342e706e67" alt="screen shot 2014-03-03 at 2 52 40 pm" data-canonical-src="https://f.cloud.github.com/assets/44774/2313778/76bb4bba-a30d-11e3-9a64-81f6f91c25c4.png" style="max-width: 100%;"></a></p>
<p dir="auto">You can find this as the main file in <a href="https://github.com/jipegit/OSXAuditor/blob/master/osxauditor.py"><code class="notranslate">osxauditor.py</code></a>.</p> | 1 |
<h4 dir="auto">Code Sample, a copy-pastable example if possible</h4>
<p dir="auto"><a href="https://pandas.pydata.org/pandas-docs/stable/generated/pandas.DataFrame.is_copy.html#pandas.DataFrame.is_copy" rel="nofollow">https://pandas.pydata.org/pandas-docs/stable/generated/pandas.DataFrame.is_copy.html#pandas.DataFrame.is_copy</a></p>
<h4 dir="auto">Problem description</h4>
<p dir="auto">It isn't clear what this property tells -- there's no documentation. When does it become true, and when does it become false?</p>
<h4 dir="auto">Expected Output</h4>
<h4 dir="auto">Output of <code class="notranslate">pd.show_versions()</code></h4> | <h4 dir="auto">Code Sample, a copy-pastable example if possible</h4>
<h4 dir="auto">Problem description</h4>
<p dir="auto">I find the behavior of <code class="notranslate">SettingWithCopyWarning</code> quite surprising, but I guess that's just what it is.<br>
It would be great if you could document <code class="notranslate">is_copy</code> and how to use it, though.</p>
<p dir="auto">Whenever any function returns a dataframe, it seems like it should make sure that <code class="notranslate">is_copy</code> is set to <code class="notranslate">False</code> (or <code class="notranslate">None</code>?) so the user doesn't get a warning if they change it - if you're returning a dataframe, it's unlikely that the user expects this to be a view, and you're not doing chained assignments.</p>
<p dir="auto">The <code class="notranslate">is_copy</code> attribute has an empty docstring in the docs and I couldn't find any explanation of it on the website (via google). The only think that told me that overwriting this attribute is actually the right thing to do (again, which is pretty weird to me), was <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="26013727" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/6025" data-hovercard-type="issue" data-hovercard-url="/pandas-dev/pandas/issues/6025/hovercard?comment_id=32904245&comment_type=issue_comment" href="https://github.com/pandas-dev/pandas/issues/6025#issuecomment-32904245">#6025 (comment)</a></p> | 1 |
<h2 dir="auto"><g-emoji class="g-emoji" alias="memo" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/1f4dd.png">📝</g-emoji> Provide a description of the new feature</h2>
<p dir="auto">There is currently a feature for shortcuts to move between zones in a customized layout. I would like to see a feature that allows shortcut keys to SWITCH between customized layout rather than clicking Win+N and then selecting which zone I would want.</p>
<p dir="auto">--What is the expected behavior of the proposed feature? What is the scenario this would be used?</p>
<p dir="auto">Currently, the shortcut to see all zone (Win+N) can get tiring and may not be the easiest way to switch between many customised zones. So maybe shortcuts through which I can automatically switch between many layouts instead of seeing a pop-up and select one of them.</p>
<p dir="auto">A simpler shortcut without this reoccurring pop-up would be great!</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/67862114/89745993-4853fe80-dac8-11ea-80dd-beec92aef8c2.png"><img src="https://user-images.githubusercontent.com/67862114/89745993-4853fe80-dac8-11ea-80dd-beec92aef8c2.png" alt="Screenshot (1380)" style="max-width: 100%;"></a></p>
<p dir="auto">If you'd like to see this feature implemented, add a <g-emoji class="g-emoji" alias="+1" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/1f44d.png">👍</g-emoji> reaction to this post.</p> | <h1 dir="auto">Environment</h1>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Windows build number: Microsoft Windows [version 10.0.18363.836]
PowerToys version: 0.18.1
PowerToy module for which you are reporting the bug (if applicable): Auto update"><pre class="notranslate"><code class="notranslate">Windows build number: Microsoft Windows [version 10.0.18363.836]
PowerToys version: 0.18.1
PowerToy module for which you are reporting the bug (if applicable): Auto update
</code></pre></div>
<h1 dir="auto">Steps to reproduce</h1>
<h1 dir="auto">Expected behavior</h1>
<p dir="auto">Receive the update notification, and by clicking on it, update PowerToys.<br>
In PowerToys settings, when I search for updates, just tells me there is none.</p>
<h1 dir="auto">Actual behavior</h1>
<p dir="auto">When I was still in version 0.18.0, I got a notification telling me I could update, but when I clicked on update, it launched my browser to the Release page of the PowerToys Github.<br>
When I click on Search for updates in the settings of PowerToys, it opens my browser to the latest release on Github.</p>
<p dir="auto">Important to note : as far as I recall, auto updating from 0.17 to 0.18 worked perfectly.<br>
Sorry, I didn't think of taking screenshots when it happened.<br>
Hope it still helps to fix this.</p> | 0 |
<p dir="auto">import numpy as np<br>
from keras.preprocessing.text import Tokenizer<br>
from keras.preprocessing.sequence import pad_sequences<br>
from keras.utils import to_categorical<br>
from keras.models import Sequential<br>
from keras.layers import Dense, Embedding, LSTM<br>
from keras import optimizers<br>
from keras.models import load_model<br>
import json, argparse, os<br>
import re<br>
import io<br>
import sys</p>
<h1 dir="auto">Path to training and testing data file. This data can be downloaded from a link, details of which will be provided.</h1>
<p dir="auto">trainDataPath = "train.txt"<br>
testDataPath = "dev.txt"</p>
<h1 dir="auto">Output file that will be generated. This file can be directly submitted.</h1>
<p dir="auto">solutionPath = "test.txt"</p>
<h1 dir="auto">Path to directory where GloVe file is saved.</h1>
<p dir="auto">gloveDir = "./"</p>
<p dir="auto">NUM_FOLDS = 1 # Value of K in K-fold Cross Validation<br>
NUM_CLASSES = 4 # Number of classes - Happy, Sad, Angry, Others<br>
MAX_NB_WORDS = 20000 # To set the upper limit on the number of tokens extracted using keras.preprocessing.text.Tokenizer<br>
MAX_SEQUENCE_LENGTH = 100 # All sentences having lesser number of words than this will be padded<br>
EMBEDDING_DIM = 100 # The dimension of the word embeddings<br>
BATCH_SIZE = 200 # The batch size to be chosen for training the model.<br>
LSTM_DIM = 128 # The dimension of the representations learnt by the LSTM model<br>
DROPOUT = 0.2 # Fraction of the units to drop for the linear transformation of the inputs. Ref - <a href="https://keras.io/layers/recurrent/" rel="nofollow">https://keras.io/layers/recurrent/</a><br>
NUM_EPOCHS = 15 # Number of epochs to train a model for</p>
<p dir="auto">label2emotion = {0:"others", 1:"happy", 2: "sad", 3:"angry"}<br>
emotion2label = {"others":0, "happy":1, "sad":2, "angry":3}</p>
<p dir="auto">def preprocessData(dataFilePath, mode):<br>
"""Load data from a file, process and return indices, conversations and labels in separate lists<br>
Input:<br>
dataFilePath : Path to train/test file to be processed<br>
mode : "train" mode returns labels. "test" mode doesn't return labels.<br>
Output:<br>
indices : Unique conversation ID list<br>
conversations : List of 3 turn conversations, processed and each turn separated by the tag<br>
labels : [Only available in "train" mode] List of labels<br>
"""<br>
indices = []<br>
conversations = []<br>
labels = []<br>
with io.open(dataFilePath, encoding="utf8") as finput:<br>
finput.readline()<br>
for line in finput:<br>
# Convert multiple instances of . ? ! , to single instance<br>
# okay...sure -> okay . sure<br>
# okay???sure -> okay ? sure<br>
# Add whitespace around such punctuation<br>
# okay!sure -> okay ! sure<br>
repeatedChars = ['.', '?', '!', ',']<br>
for c in repeatedChars:<br>
lineSplit = line.split(c)<br>
while True:<br>
try:<br>
lineSplit.remove('')<br>
except:<br>
break<br>
cSpace = ' ' + c + ' '<br>
line = cSpace.join(lineSplit)</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" line = line.strip().split('\t')
if mode == "train":
# Train data contains id, 3 turns and label
label = emotion2label[line[4]]
labels.append(label)
conv = ' <eos> '.join(line[1:4])
# Remove any duplicate spaces
duplicateSpacePattern = re.compile(r'\ +')
conv = re.sub(duplicateSpacePattern, ' ', conv)
indices.append(int(line[0]))
conversations.append(conv.lower())
if mode == "train":
return indices, conversations, labels
else:
return indices, conversations"><pre class="notranslate"><code class="notranslate"> line = line.strip().split('\t')
if mode == "train":
# Train data contains id, 3 turns and label
label = emotion2label[line[4]]
labels.append(label)
conv = ' <eos> '.join(line[1:4])
# Remove any duplicate spaces
duplicateSpacePattern = re.compile(r'\ +')
conv = re.sub(duplicateSpacePattern, ' ', conv)
indices.append(int(line[0]))
conversations.append(conv.lower())
if mode == "train":
return indices, conversations, labels
else:
return indices, conversations
</code></pre></div>
<p dir="auto">def getMetrics(predictions, ground):<br>
"""Given predicted labels and the respective ground truth labels, display some metrics<br>
Input: shape [# of samples, NUM_CLASSES]<br>
predictions : Model output. Every row has 4 decimal values, with the highest belonging to the predicted class<br>
ground : Ground truth labels, converted to one-hot encodings. A sample belonging to Happy class will be [0, 1, 0, 0]<br>
Output:<br>
accuracy : Average accuracy<br>
microPrecision : Precision calculated on a micro level. Ref - <a href="https://datascience.stackexchange.com/questions/15989/micro-average-vs-macro-average-performance-in-a-multiclass-classification-settin/16001" rel="nofollow">https://datascience.stackexchange.com/questions/15989/micro-average-vs-macro-average-performance-in-a-multiclass-classification-settin/16001</a><br>
microRecall : Recall calculated on a micro level<br>
microF1 : Harmonic mean of microPrecision and microRecall. Higher value implies better classification<br>
"""<br>
# [0.1, 0.3 , 0.2, 0.1] -> [0, 1, 0, 0]<br>
discretePredictions = to_categorical(predictions.argmax(axis=1))</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="truePositives = np.sum(discretePredictions*ground, axis=0)
falsePositives = np.sum(np.clip(discretePredictions - ground, 0, 1), axis=0)
falseNegatives = np.sum(np.clip(ground-discretePredictions, 0, 1), axis=0)
print("True Positives per class : ", truePositives)
print("False Positives per class : ", falsePositives)
print("False Negatives per class : ", falseNegatives)
# ------------- Macro level calculation ---------------
macroPrecision = 0
macroRecall = 0
# We ignore the "Others" class during the calculation of Precision, Recall and F1
for c in range(1, NUM_CLASSES):
precision = truePositives[c] / (truePositives[c] + falsePositives[c])
macroPrecision += precision
recall = truePositives[c] / (truePositives[c] + falseNegatives[c])
macroRecall += recall
f1 = ( 2 * recall * precision ) / (precision + recall) if (precision+recall) > 0 else 0
print("Class %s : Precision : %.3f, Recall : %.3f, F1 : %.3f" % (label2emotion[c], precision, recall, f1))
macroPrecision /= 3
macroRecall /= 3
macroF1 = (2 * macroRecall * macroPrecision ) / (macroPrecision + macroRecall) if (macroPrecision+macroRecall) > 0 else 0
print("Ignoring the Others class, Macro Precision : %.4f, Macro Recall : %.4f, Macro F1 : %.4f" % (macroPrecision, macroRecall, macroF1))
# ------------- Micro level calculation ---------------
truePositives = truePositives[1:].sum()
falsePositives = falsePositives[1:].sum()
falseNegatives = falseNegatives[1:].sum()
print("Ignoring the Others class, Micro TP : %d, FP : %d, FN : %d" % (truePositives, falsePositives, falseNegatives))
microPrecision = truePositives / (truePositives + falsePositives)
microRecall = truePositives / (truePositives + falseNegatives)
microF1 = ( 2 * microRecall * microPrecision ) / (microPrecision + microRecall) if (microPrecision+microRecall) > 0 else 0
# -----------------------------------------------------
predictions = predictions.argmax(axis=1)
ground = ground.argmax(axis=1)
accuracy = np.mean(predictions==ground)
print("Accuracy : %.4f, Micro Precision : %.4f, Micro Recall : %.4f, Micro F1 : %.4f" % (accuracy, microPrecision, microRecall, microF1))
return accuracy, microPrecision, microRecall, microF1"><pre class="notranslate"><code class="notranslate">truePositives = np.sum(discretePredictions*ground, axis=0)
falsePositives = np.sum(np.clip(discretePredictions - ground, 0, 1), axis=0)
falseNegatives = np.sum(np.clip(ground-discretePredictions, 0, 1), axis=0)
print("True Positives per class : ", truePositives)
print("False Positives per class : ", falsePositives)
print("False Negatives per class : ", falseNegatives)
# ------------- Macro level calculation ---------------
macroPrecision = 0
macroRecall = 0
# We ignore the "Others" class during the calculation of Precision, Recall and F1
for c in range(1, NUM_CLASSES):
precision = truePositives[c] / (truePositives[c] + falsePositives[c])
macroPrecision += precision
recall = truePositives[c] / (truePositives[c] + falseNegatives[c])
macroRecall += recall
f1 = ( 2 * recall * precision ) / (precision + recall) if (precision+recall) > 0 else 0
print("Class %s : Precision : %.3f, Recall : %.3f, F1 : %.3f" % (label2emotion[c], precision, recall, f1))
macroPrecision /= 3
macroRecall /= 3
macroF1 = (2 * macroRecall * macroPrecision ) / (macroPrecision + macroRecall) if (macroPrecision+macroRecall) > 0 else 0
print("Ignoring the Others class, Macro Precision : %.4f, Macro Recall : %.4f, Macro F1 : %.4f" % (macroPrecision, macroRecall, macroF1))
# ------------- Micro level calculation ---------------
truePositives = truePositives[1:].sum()
falsePositives = falsePositives[1:].sum()
falseNegatives = falseNegatives[1:].sum()
print("Ignoring the Others class, Micro TP : %d, FP : %d, FN : %d" % (truePositives, falsePositives, falseNegatives))
microPrecision = truePositives / (truePositives + falsePositives)
microRecall = truePositives / (truePositives + falseNegatives)
microF1 = ( 2 * microRecall * microPrecision ) / (microPrecision + microRecall) if (microPrecision+microRecall) > 0 else 0
# -----------------------------------------------------
predictions = predictions.argmax(axis=1)
ground = ground.argmax(axis=1)
accuracy = np.mean(predictions==ground)
print("Accuracy : %.4f, Micro Precision : %.4f, Micro Recall : %.4f, Micro F1 : %.4f" % (accuracy, microPrecision, microRecall, microF1))
return accuracy, microPrecision, microRecall, microF1
</code></pre></div>
<p dir="auto">def writeNormalisedData(dataFilePath, texts):<br>
"""Write normalised data to a file<br>
Input:<br>
dataFilePath : Path to original train/test file that has been processed<br>
texts : List containing the normalised 3 turn conversations, separated by the tag.<br>
"""<br>
normalisedDataFilePath = dataFilePath.replace(".txt", "_normalised.txt")<br>
with io.open(normalisedDataFilePath, 'w', encoding='utf8') as fout:<br>
with io.open(dataFilePath, encoding='utf8') as fin:<br>
fin.readline()<br>
for lineNum, line in enumerate(fin):<br>
line = line.strip().split('\t')<br>
normalisedLine = texts[lineNum].strip().split('')<br>
fout.write(line[0] + '\t')<br>
# Write the original turn, followed by the normalised version of the same turn<br>
fout.write(line[1] + '\t' + normalisedLine[0] + '\t')<br>
fout.write(line[2] + '\t' + normalisedLine[1] + '\t')<br>
fout.write(line[3] + '\t' + normalisedLine[2] + '\t')<br>
try:<br>
# If label information available (train time)<br>
fout.write(line[4] + '\n')<br>
except:<br>
# If label information not available (test time)<br>
fout.write('\n')</p>
<p dir="auto">def getEmbeddingMatrix(wordIndex):<br>
"""Populate an embedding matrix using a word-index. If the word "happy" has an index 19,<br>
the 19th row in the embedding matrix should contain the embedding vector for the word "happy".<br>
Input:<br>
wordIndex : A dictionary of (word : index) pairs, extracted using a tokeniser<br>
Output:<br>
embeddingMatrix : A matrix where every row has 100 dimensional GloVe embedding<br>
"""<br>
embeddingsIndex = {}<br>
# Load the embedding vectors from ther GloVe file<br>
with io.open(os.path.join(gloveDir, 'glove.6B.100d.txt'), encoding="utf8") as f:<br>
for line in f:<br>
values = line.split()<br>
word = values[0]<br>
embeddingVector = np.asarray(values[1:], dtype='float32')<br>
embeddingsIndex[word] = embeddingVector</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="print('Found %s word vectors.' % len(embeddingsIndex))
# Minimum word index of any word is 1.
embeddingMatrix = np.zeros((len(wordIndex) + 1, EMBEDDING_DIM))
for word, i in wordIndex.items():
embeddingVector = embeddingsIndex.get(word)
if embeddingVector is not None:
# words not found in embedding index will be all-zeros.
embeddingMatrix[i] = embeddingVector
return embeddingMatrix"><pre class="notranslate"><code class="notranslate">print('Found %s word vectors.' % len(embeddingsIndex))
# Minimum word index of any word is 1.
embeddingMatrix = np.zeros((len(wordIndex) + 1, EMBEDDING_DIM))
for word, i in wordIndex.items():
embeddingVector = embeddingsIndex.get(word)
if embeddingVector is not None:
# words not found in embedding index will be all-zeros.
embeddingMatrix[i] = embeddingVector
return embeddingMatrix
</code></pre></div>
<p dir="auto">def buildModel(embeddingMatrix):<br>
"""Constructs the architecture of the model<br>
Input:<br>
embeddingMatrix : The embedding matrix to be loaded in the embedding layer.<br>
Output:<br>
model : A basic LSTM model<br>
"""<br>
embeddingLayer = Embedding(embeddingMatrix.shape[0],<br>
EMBEDDING_DIM,<br>
weights=[embeddingMatrix],<br>
input_length=MAX_SEQUENCE_LENGTH,<br>
trainable=False)<br>
print(embeddingLayer)<br>
model = Sequential()<br>
model.add(embeddingLayer)<br>
model.add(LSTM(LSTM_DIM, dropout=DROPOUT))<br>
model.add(Dense(NUM_CLASSES, activation='softmax'))</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="rmsprop = optimizers.rmsprop(lr=0.003)
model.compile(loss='categorical_crossentropy',
optimizer=rmsprop,
metrics=['acc'])
print(model.summary())
return model"><pre class="notranslate"><code class="notranslate">rmsprop = optimizers.rmsprop(lr=0.003)
model.compile(loss='categorical_crossentropy',
optimizer=rmsprop,
metrics=['acc'])
print(model.summary())
return model
</code></pre></div>
<p dir="auto">def main():<br>
'''parser = argparse.ArgumentParser(description="Baseline Script for SemEval")<br>
parser.add_argument('-config', help='Config to read details', required=True)<br>
args = parser.parse_args()</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="with open(args.config) as configfile:
config = json.load(configfile)
global trainDataPath, testDataPath, solutionPath, gloveDir
global NUM_FOLDS, NUM_CLASSES, MAX_NB_WORDS, MAX_SEQUENCE_LENGTH, EMBEDDING_DIM
global BATCH_SIZE, LSTM_DIM, DROPOUT, NUM_EPOCHS, LEARNING_RATE
trainDataPath = config["train_data_path"]
testDataPath = config["test_data_path"]
solutionPath = config["solution_path"]
gloveDir = config["glove_dir"]
NUM_FOLDS = config["num_folds"]
NUM_CLASSES = config["num_classes"]
MAX_NB_WORDS = config["max_nb_words"]
MAX_SEQUENCE_LENGTH = config["max_sequence_length"]
EMBEDDING_DIM = config["embedding_dim"]
BATCH_SIZE = config["batch_size"]
LSTM_DIM = config["lstm_dim"]
DROPOUT = config["dropout"]
LEARNING_RATE = config["learning_rate"]
NUM_EPOCHS = config["num_epochs"]
'''
print("Processing training data...")
trainIndices, trainTexts, labels = preprocessData(trainDataPath, mode="train")
# Write normalised text to file to check if normalisation works. Disabled now. Uncomment following line to enable
# writeNormalisedData(trainDataPath, trainTexts)
print("Processing test data...")
testIndices, testTexts = preprocessData(testDataPath, mode="test")
# writeNormalisedData(testDataPath, testTexts)
print("Extracting tokens...")
tokenizer = Tokenizer(num_words=MAX_NB_WORDS)
tokenizer.fit_on_texts(trainTexts)
trainSequences = tokenizer.texts_to_sequences(trainTexts)
testSequences = tokenizer.texts_to_sequences(testTexts)
wordIndex = tokenizer.word_index
print("Found %s unique tokens." % len(wordIndex))
print("Populating embedding matrix...")
embeddingMatrix = getEmbeddingMatrix(wordIndex)
print(embeddingMatrix)
print('shape of embeddingMatrix',embeddingMatrix.shape)
print('shape of embeddingMatrix.shape[0]: ',embeddingMatrix.shape[0])
data = pad_sequences(trainSequences, maxlen=MAX_SEQUENCE_LENGTH)
labels = to_categorical(np.asarray(labels))
print("Shape of training data tensor: ", data.shape)
print("Shape of label tensor: ", labels.shape)
# Randomize data
np.random.shuffle(trainIndices)
data = data[trainIndices]
labels = labels[trainIndices]
# Perform k-fold cross validation
metrics = {"accuracy" : [],
"microPrecision" : [],
"microRecall" : [],
"microF1" : []}
print("Starting k-fold cross validation...")
for k in range(NUM_FOLDS):
print('-'*40)
print("Fold %d/%d" % (k+1, NUM_FOLDS))
validationSize = int(len(data)/NUM_FOLDS)
index1 = validationSize * k
index2 = validationSize * (k+1)
xTrain = np.vstack((data[:index1],data[index2:]))
yTrain = np.vstack((labels[:index1],labels[index2:]))
xVal = data[index1:index2]
yVal = labels[index1:index2]
print("Building model...")
model = buildModel(embeddingMatrix)
model.fit(xTrain, yTrain,
validation_data=(xVal, yVal),
epochs=NUM_EPOCHS, batch_size=BATCH_SIZE)
predictions = model.predict(xVal, batch_size=BATCH_SIZE)
accuracy, microPrecision, microRecall, microF1 = getMetrics(predictions, yVal)
metrics["accuracy"].append(accuracy)
metrics["microPrecision"].append(microPrecision)
metrics["microRecall"].append(microRecall)
metrics["microF1"].append(microF1)
print("\n============= Metrics =================")
print("Average Cross-Validation Accuracy : %.4f" % (sum(metrics["accuracy"])/len(metrics["accuracy"])))
print("Average Cross-Validation Micro Precision : %.4f" % (sum(metrics["microPrecision"])/len(metrics["microPrecision"])))
print("Average Cross-Validation Micro Recall : %.4f" % (sum(metrics["microRecall"])/len(metrics["microRecall"])))
print("Average Cross-Validation Micro F1 : %.4f" % (sum(metrics["microF1"])/len(metrics["microF1"])))
print("\n======================================")
print("Retraining model on entire data to create solution file")
model = buildModel(embeddingMatrix)
model.fit(data, labels, epochs=NUM_EPOCHS, batch_size=BATCH_SIZE)
model.save('EP%d_LR%de-5_LDim%d_BS%d.h5'%(NUM_EPOCHS, int(LEARNING_RATE*(10**5)), LSTM_DIM, BATCH_SIZE))
model = load_model('EP%d_LR%de-5_LDim%d_BS%d.h5'%(NUM_EPOCHS, int(LEARNING_RATE*(10**5)), LSTM_DIM, BATCH_SIZE))
print("Creating solution file...")
testData = pad_sequences(testSequences, maxlen=MAX_SEQUENCE_LENGTH)
predictions = model.predict(testData, batch_size=BATCH_SIZE)
predictions = predictions.argmax(axis=1)
with io.open(solutionPath, "w", encoding="utf8") as fout:
fout.write('\t'.join(["id", "turn1", "turn2", "turn3", "label"]) + '\n')
with io.open(testDataPath, encoding="utf8") as fin:
fin.readline()
for lineNum, line in enumerate(fin):
fout.write('\t'.join(line.strip().split('\t')[:4]) + '\t')
fout.write(label2emotion[predictions[lineNum]] + '\n')
print("Completed. Model parameters: ")
print("Learning rate : %.3f, LSTM Dim : %d, Dropout : %.3f, Batch_size : %d"
% (LEARNING_RATE, LSTM_DIM, DROPOUT, BATCH_SIZE))"><pre class="notranslate"><code class="notranslate">with open(args.config) as configfile:
config = json.load(configfile)
global trainDataPath, testDataPath, solutionPath, gloveDir
global NUM_FOLDS, NUM_CLASSES, MAX_NB_WORDS, MAX_SEQUENCE_LENGTH, EMBEDDING_DIM
global BATCH_SIZE, LSTM_DIM, DROPOUT, NUM_EPOCHS, LEARNING_RATE
trainDataPath = config["train_data_path"]
testDataPath = config["test_data_path"]
solutionPath = config["solution_path"]
gloveDir = config["glove_dir"]
NUM_FOLDS = config["num_folds"]
NUM_CLASSES = config["num_classes"]
MAX_NB_WORDS = config["max_nb_words"]
MAX_SEQUENCE_LENGTH = config["max_sequence_length"]
EMBEDDING_DIM = config["embedding_dim"]
BATCH_SIZE = config["batch_size"]
LSTM_DIM = config["lstm_dim"]
DROPOUT = config["dropout"]
LEARNING_RATE = config["learning_rate"]
NUM_EPOCHS = config["num_epochs"]
'''
print("Processing training data...")
trainIndices, trainTexts, labels = preprocessData(trainDataPath, mode="train")
# Write normalised text to file to check if normalisation works. Disabled now. Uncomment following line to enable
# writeNormalisedData(trainDataPath, trainTexts)
print("Processing test data...")
testIndices, testTexts = preprocessData(testDataPath, mode="test")
# writeNormalisedData(testDataPath, testTexts)
print("Extracting tokens...")
tokenizer = Tokenizer(num_words=MAX_NB_WORDS)
tokenizer.fit_on_texts(trainTexts)
trainSequences = tokenizer.texts_to_sequences(trainTexts)
testSequences = tokenizer.texts_to_sequences(testTexts)
wordIndex = tokenizer.word_index
print("Found %s unique tokens." % len(wordIndex))
print("Populating embedding matrix...")
embeddingMatrix = getEmbeddingMatrix(wordIndex)
print(embeddingMatrix)
print('shape of embeddingMatrix',embeddingMatrix.shape)
print('shape of embeddingMatrix.shape[0]: ',embeddingMatrix.shape[0])
data = pad_sequences(trainSequences, maxlen=MAX_SEQUENCE_LENGTH)
labels = to_categorical(np.asarray(labels))
print("Shape of training data tensor: ", data.shape)
print("Shape of label tensor: ", labels.shape)
# Randomize data
np.random.shuffle(trainIndices)
data = data[trainIndices]
labels = labels[trainIndices]
# Perform k-fold cross validation
metrics = {"accuracy" : [],
"microPrecision" : [],
"microRecall" : [],
"microF1" : []}
print("Starting k-fold cross validation...")
for k in range(NUM_FOLDS):
print('-'*40)
print("Fold %d/%d" % (k+1, NUM_FOLDS))
validationSize = int(len(data)/NUM_FOLDS)
index1 = validationSize * k
index2 = validationSize * (k+1)
xTrain = np.vstack((data[:index1],data[index2:]))
yTrain = np.vstack((labels[:index1],labels[index2:]))
xVal = data[index1:index2]
yVal = labels[index1:index2]
print("Building model...")
model = buildModel(embeddingMatrix)
model.fit(xTrain, yTrain,
validation_data=(xVal, yVal),
epochs=NUM_EPOCHS, batch_size=BATCH_SIZE)
predictions = model.predict(xVal, batch_size=BATCH_SIZE)
accuracy, microPrecision, microRecall, microF1 = getMetrics(predictions, yVal)
metrics["accuracy"].append(accuracy)
metrics["microPrecision"].append(microPrecision)
metrics["microRecall"].append(microRecall)
metrics["microF1"].append(microF1)
print("\n============= Metrics =================")
print("Average Cross-Validation Accuracy : %.4f" % (sum(metrics["accuracy"])/len(metrics["accuracy"])))
print("Average Cross-Validation Micro Precision : %.4f" % (sum(metrics["microPrecision"])/len(metrics["microPrecision"])))
print("Average Cross-Validation Micro Recall : %.4f" % (sum(metrics["microRecall"])/len(metrics["microRecall"])))
print("Average Cross-Validation Micro F1 : %.4f" % (sum(metrics["microF1"])/len(metrics["microF1"])))
print("\n======================================")
print("Retraining model on entire data to create solution file")
model = buildModel(embeddingMatrix)
model.fit(data, labels, epochs=NUM_EPOCHS, batch_size=BATCH_SIZE)
model.save('EP%d_LR%de-5_LDim%d_BS%d.h5'%(NUM_EPOCHS, int(LEARNING_RATE*(10**5)), LSTM_DIM, BATCH_SIZE))
model = load_model('EP%d_LR%de-5_LDim%d_BS%d.h5'%(NUM_EPOCHS, int(LEARNING_RATE*(10**5)), LSTM_DIM, BATCH_SIZE))
print("Creating solution file...")
testData = pad_sequences(testSequences, maxlen=MAX_SEQUENCE_LENGTH)
predictions = model.predict(testData, batch_size=BATCH_SIZE)
predictions = predictions.argmax(axis=1)
with io.open(solutionPath, "w", encoding="utf8") as fout:
fout.write('\t'.join(["id", "turn1", "turn2", "turn3", "label"]) + '\n')
with io.open(testDataPath, encoding="utf8") as fin:
fin.readline()
for lineNum, line in enumerate(fin):
fout.write('\t'.join(line.strip().split('\t')[:4]) + '\t')
fout.write(label2emotion[predictions[lineNum]] + '\n')
print("Completed. Model parameters: ")
print("Learning rate : %.3f, LSTM Dim : %d, Dropout : %.3f, Batch_size : %d"
% (LEARNING_RATE, LSTM_DIM, DROPOUT, BATCH_SIZE))
</code></pre></div>
<p dir="auto">if <strong>name</strong> == '<strong>main</strong>':<br>
main()</p> | <p dir="auto">I'm having a weird problem where I am using a doc2vec Embedding layer and even though I'm pumping through unique examples for prediction, a lot of the outputs from the pred_proba method are returning the same prediction.</p>
<p dir="auto">Here is the architecture:</p>
<p dir="auto">print("Loading Doc2Vec...")<br>
model = Doc2Vec.load("doc2vec.model")</p>
<p dir="auto">gensim_dict = Dictionary()<br>
gensim_dict.doc2bow(model.vocab.keys(),<br>
allow_update=True)<br>
w2indx = {v: k+1 for k, v in gensim_dict.items()}<br>
w2vec = {word: model[word] for word in w2indx.keys()}</p>
<h1 dir="auto">index_dict, word_vectors</h1>
<p dir="auto">print('Setting up Arrays for Keras Embedding Layer...')<br>
n_symbols = len(w2indx) + 1 # adding 1 to account for 0th index<br>
embedding_weights = np.zeros((n_symbols, maxlen))<br>
for word, index in w2indx.items():<br>
embedding_weights[index, :] = w2vec[word]</p>
<p dir="auto">model = Sequential()<br>
model.add(Embedding(output_dim=maxlen,<br>
input_dim=n_symbols,<br>
#mask_zero=True,<br>
weights=[embedding_weights],<br>
input_length=maxlen)) # Adding Input Length<br>
model.add(Dropout(0.25))<br>
model.add(Convolution1D(nb_filter=nb_filter,<br>
filter_length=filter_length,<br>
border_mode='valid',<br>
activation='relu',<br>
subsample_length=1))<br>
model.add(MaxPooling1D(pool_length=pool_length))<br>
model.add(LSTM(lstm_output_size))<br>
model.add(Dense(1))<br>
model.add(Activation('sigmoid'))</p>
<p dir="auto">model.compile(loss='binary_crossentropy',<br>
optimizer='adam',<br>
metrics=['accuracy'])</p>
<p dir="auto">print("Loading Weights")<br>
model.load_weights(instrument + '-weights.hdf5')</p>
<p dir="auto">classes = model.predict_proba(X_test, batch_size=1, verbose=0)<br>
print(classes)</p>
<p dir="auto">And the outputs are:</p>
<p dir="auto">Using Theano backend.<br>
X_test:<br>
[[ -2.47382596e-02 2.32602060e-02 -6.53387140e-03 ..., -5.51625062e-03<br>
-5.74239753e-02 -3.07026859e-02]<br>
[ 3.29017431e-01 2.35613093e-01 -7.56662712e-02 ..., 7.71998167e-02<br>
-3.64937872e-01 -2.01133800e+00]<br>
[ -1.00101516e-01 -6.00816719e-02 -3.69741372e-03 ..., 5.17791100e-02<br>
-7.46646821e-02 8.59571397e-02]<br>
...,<br>
[ 2.19638228e-01 -8.07978734e-02 4.71501723e-02 ..., 4.79124673e-02<br>
1.00293700e-02 1.53316772e-02]<br>
[ -1.25041693e-01 -6.55420348e-02 4.24071133e-01 ..., 2.15420816e-02<br>
-5.21663465e-02 -7.86688030e-02]<br>
[ -4.78273164e-03 3.24305370e-02 2.72341162e-01 ..., -8.28378797e-02<br>
1.43599689e-01 -1.07673614e-03]]</p>
<p dir="auto">Loading Doc2Vec...<br>
Setting up Arrays for Keras Embedding Layer...<br>
Loading Weights</p>
<p dir="auto">Prediction:</p>
<p dir="auto">[[ 0.50939184]<br>
[ 0.34107986]<br>
[ 0.50939184]<br>
[ 0.50939184]<br>
[ 0.50939184]<br>
[ 0.50939184]<br>
[ 0.50939184]<br>
[ 0.50939184]<br>
[ 0.48695773]<br>
[ 0.50939184]<br>
[ 0.62477738]<br>
[ 0.50939184]<br>
[ 0.50939184]<br>
[ 0.58683521]<br>
[ 0.50939184]<br>
[ 0.50939184]<br>
[ 0.50939184]<br>
[ 0.50939184]<br>
[ 0.50939184]</p>
<p dir="auto">You can see 0.50939184 appears over and over again.</p> | 0 |
<p dir="auto">I've come across a strange bug on 64-bit Windows where <code class="notranslate">instanceof</code> does not behave correctly in the browser frame when using it against an object whose prototype inherits from a function defined in a different module under <code class="notranslate">node_modules</code>.</p>
<h3 dir="auto">Example</h3>
<p dir="auto">For example, let's say there are two functions <code class="notranslate">B</code> and <code class="notranslate">D</code> and these files:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="test.js"><pre class="notranslate"><code class="notranslate">test.js
</code></pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="d.js (contains the D function)"><pre class="notranslate"><code class="notranslate">d.js (contains the D function)
</code></pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="node_modules/b_module/b.js (contains the B function)"><pre class="notranslate"><code class="notranslate">node_modules/b_module/b.js (contains the B function)
</code></pre></div>
<p dir="auto">If <code class="notranslate">D</code>'s prototype points to an instance of <code class="notranslate">B</code> and both <code class="notranslate">B</code> and <code class="notranslate">D</code> are <code class="notranslate">require</code>d into <code class="notranslate">test.js</code>, then on Windows, if test.js uses instaneof to check whether D inherits from B, it will return <code class="notranslate">false</code>.</p>
<h3 dir="auto">Code samples</h3>
<p dir="auto">I've gone ahead and created a sample project with the code here to see the bug in action:<br>
<a href="https://github.com/jameslk/electron-instanceof-bug">https://github.com/jameslk/electron-instanceof-bug</a></p>
<p dir="auto">Here's some screenshots showing the discrepency:</p>
<h3 dir="auto">Running NodeJS:</h3>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/774411/7486563/44b92418-f364-11e4-8526-fcd1974a792a.png"><img src="https://cloud.githubusercontent.com/assets/774411/7486563/44b92418-f364-11e4-8526-fcd1974a792a.png" alt="screen shot 2015-05-05 at 8 05 20 pm" style="max-width: 100%;"></a></p>
<h3 dir="auto">Running ElectronJS on Windows (from the browser frame dev tools):</h3>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/774411/7486696/31499992-f366-11e4-9d0a-9c2e406a8386.png"><img src="https://cloud.githubusercontent.com/assets/774411/7486696/31499992-f366-11e4-9d0a-9c2e406a8386.png" alt="screen-shot-2015-05-05-at-8 06 59-pm-2" style="max-width: 100%;"></a></p>
<h3 dir="auto">Running ElectronJS on Mac</h3>
<p dir="auto">This bug only appears to happen under Windows. I tried it on Mac and got the expected results.<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/774411/7486634/3e47840c-f365-11e4-9359-20ba432bf2f9.png"><img src="https://cloud.githubusercontent.com/assets/774411/7486634/3e47840c-f365-11e4-9359-20ba432bf2f9.png" alt="screen shot 2015-05-05 at 8 27 34 pm" style="max-width: 100%;"></a></p>
<p dir="auto">I have not tested Linux yet.</p> | <p dir="auto">Minimal test case for this issue is here: <a href="https://github.com/KamilSzot/atom-shell-windows-bash-problem">https://github.com/KamilSzot/atom-shell-windows-bash-problem</a></p>
<p dir="auto">Windows bash attempts to use slashes instead of backslashes and that probably interferes somehow with path calculations. Maybe there's some point there is a relative path calculated between directory where atom-shell lies and where the application lies?</p> | 1 |
<p dir="auto">There is <code class="notranslate">check-duplicate-table-enabled</code> in global properties which for single table loading check, I think this is incorrect.</p>
<p dir="auto">The logic table names can not same in same logic database.schema in ShardingSphere.</p>
<p dir="auto">It should <code class="notranslate">THROW EXCEPTION</code> if the same single table name in same database.schema when ShardingSphere startup.</p>
<p dir="auto">This is the basic rule in database system with <code class="notranslate">database.schema.table</code> should be unique. ShardingSphere should not break it.</p> | <h3 dir="auto">Which version of ShardingSphere did you use?</h3>
<p dir="auto">4.0.0-RC</p>
<h3 dir="auto">Which project did you use? Sharding-JDBC or Sharding-Proxy?</h3>
<p dir="auto">Sharding-JDBC</p>
<h3 dir="auto">Expected behavior</h3>
<p dir="auto">Logic SQL:</p>
<div class="highlight highlight-source-sql notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="ALTER TABLE `WG_ORDER`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT` (`CREATE_DT` ASC);"><pre class="notranslate"><span class="pl-k">ALTER</span> <span class="pl-k">TABLE</span> <span class="pl-s"><span class="pl-pds">`</span>WG_ORDER<span class="pl-pds">`</span></span>
DROP COLUMN <span class="pl-s"><span class="pl-pds">`</span>COMMIT_ID<span class="pl-pds">`</span></span>,
ADD INDEX <span class="pl-s"><span class="pl-pds">`</span>IDX_CREATE_DT<span class="pl-pds">`</span></span> (<span class="pl-s"><span class="pl-pds">`</span>CREATE_DT<span class="pl-pds">`</span></span> <span class="pl-k">ASC</span>);</pre></div>
<p dir="auto">i want (1) or (2)</p>
<p dir="auto">=(1)= remove <code class="notranslate">`</code></p>
<div class="highlight highlight-source-sql notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="ADD INDEX IDX_CREATE_DT_WG_ORDER_1 (`CREATE_DT` ASC);"><pre class="notranslate">ADD INDEX IDX_CREATE_DT_WG_ORDER_1 (<span class="pl-s"><span class="pl-pds">`</span>CREATE_DT<span class="pl-pds">`</span></span> <span class="pl-k">ASC</span>);</pre></div>
<p dir="auto">=(2)= without ds postfix as the orginal sql</p>
<div class="highlight highlight-source-sql notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="ADD INDEX `IDX_CREATE_DT` (`CREATE_DT` ASC);"><pre class="notranslate">ADD INDEX <span class="pl-s"><span class="pl-pds">`</span>IDX_CREATE_DT<span class="pl-pds">`</span></span> (<span class="pl-s"><span class="pl-pds">`</span>CREATE_DT<span class="pl-pds">`</span></span> <span class="pl-k">ASC</span>);</pre></div>
<h3 dir="auto">Actual behavior</h3>
<div class="highlight highlight-source-sql notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="ADD INDEX `IDX_CREATE_DT`_WG_ORDER_1 (`CREATE_DT` ASC);"><pre class="notranslate">ADD INDEX <span class="pl-s"><span class="pl-pds">`</span>IDX_CREATE_DT<span class="pl-pds">`</span></span>_WG_ORDER_1 (<span class="pl-s"><span class="pl-pds">`</span>CREATE_DT<span class="pl-pds">`</span></span> <span class="pl-k">ASC</span>);</pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="java.sql.SQLSyntaxErrorException: You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near '_WG_ORDER_0 (`CREATE_DT` ASC)' at line 3
at com.mysql.cj.jdbc.exceptions.SQLError.createSQLException(SQLError.java:120)
at com.mysql.cj.jdbc.exceptions.SQLError.createSQLException(SQLError.java:97)"><pre class="notranslate"><code class="notranslate">java.sql.SQLSyntaxErrorException: You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near '_WG_ORDER_0 (`CREATE_DT` ASC)' at line 3
at com.mysql.cj.jdbc.exceptions.SQLError.createSQLException(SQLError.java:120)
at com.mysql.cj.jdbc.exceptions.SQLError.createSQLException(SQLError.java:97)
</code></pre></div>
<h3 dir="auto">Reason analyze (If you can)</h3>
<h3 dir="auto">Steps to reproduce the behavior, such as: SQL to execute, sharding rule configuration, when exception occur etc.</h3>
<h3 dir="auto">Example codes for reproduce this issue (such as a github link).</h3>
<div class="highlight highlight-source-kotlin notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" @Test
fun alterTable() {
val statement = datasource.connection.prepareStatement("""
ALTER TABLE `WG_ORDER`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT` (`CREATE_DT` ASC);
""".trimIndent())
val result = statement.executeUpdate()"><pre class="notranslate"> @Test
<span class="pl-k">fun</span> <span class="pl-en">alterTable</span>() {
<span class="pl-k">val</span> statement <span class="pl-k">=</span> datasource.connection.prepareStatement(<span class="pl-s"><span class="pl-pds">"""</span></span>
<span class="pl-s"> ALTER TABLE `WG_ORDER`</span>
<span class="pl-s"> DROP COLUMN `COMMIT_ID`,</span>
<span class="pl-s"> ADD INDEX `IDX_CREATE_DT` (`CREATE_DT` ASC);</span>
<span class="pl-s"> <span class="pl-pds">"""</span></span>.trimIndent())
<span class="pl-k">val</span> result <span class="pl-k">=</span> statement.executeUpdate()</pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="2019-05-23 19:22:42.466 INFO 6868 --- [ main] ShardingSphere-SQL : Rule Type: sharding
2019-05-23 19:22:42.466 INFO 6868 --- [ main] ShardingSphere-SQL : Logic SQL: ALTER TABLE `WG_ORDER`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT` (`CREATE_DT` ASC);
2019-05-23 19:22:42.467 INFO 6868 --- [ main] ShardingSphere-SQL : SQLStatement: AbstractSQLStatement(type=DDL, tables=Tables(tables=[Table(name=WG_ORDER, alias=Optional.absent())]), routeConditions=Conditions(orCondition=OrCondition(andConditions=[])), encryptConditions=Conditions(orCondition=OrCondition(andConditions=[])), sqlTokens=[TableToken(tableName=WG_ORDER, quoteCharacter=BACK_QUOTE, schemaNameLength=0), IndexToken(stopIndex=72, tableName=WG_ORDER)], parametersIndex=0, logicSQL=ALTER TABLE `WG_ORDER`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT` (`CREATE_DT` ASC);)
2019-05-23 19:22:42.468 INFO 6868 --- [ main] ShardingSphere-SQL : Actual SQL: ds0 ::: ALTER TABLE `WG_ORDER_0`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT`_WG_ORDER_0 (`CREATE_DT` ASC);
2019-05-23 19:22:42.468 INFO 6868 --- [ main] ShardingSphere-SQL : Actual SQL: ds0 ::: ALTER TABLE `WG_ORDER_1`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT`_WG_ORDER_1 (`CREATE_DT` ASC);
2019-05-23 19:22:42.468 INFO 6868 --- [ main] ShardingSphere-SQL : Actual SQL: ds1 ::: ALTER TABLE `WG_ORDER_0`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT`_WG_ORDER_0 (`CREATE_DT` ASC);
2019-05-23 19:22:42.469 INFO 6868 --- [ main] ShardingSphere-SQL : Actual SQL: ds1 ::: ALTER TABLE `WG_ORDER_1`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT`_WG_ORDER_1 (`CREATE_DT` ASC);"><pre class="notranslate"><code class="notranslate">2019-05-23 19:22:42.466 INFO 6868 --- [ main] ShardingSphere-SQL : Rule Type: sharding
2019-05-23 19:22:42.466 INFO 6868 --- [ main] ShardingSphere-SQL : Logic SQL: ALTER TABLE `WG_ORDER`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT` (`CREATE_DT` ASC);
2019-05-23 19:22:42.467 INFO 6868 --- [ main] ShardingSphere-SQL : SQLStatement: AbstractSQLStatement(type=DDL, tables=Tables(tables=[Table(name=WG_ORDER, alias=Optional.absent())]), routeConditions=Conditions(orCondition=OrCondition(andConditions=[])), encryptConditions=Conditions(orCondition=OrCondition(andConditions=[])), sqlTokens=[TableToken(tableName=WG_ORDER, quoteCharacter=BACK_QUOTE, schemaNameLength=0), IndexToken(stopIndex=72, tableName=WG_ORDER)], parametersIndex=0, logicSQL=ALTER TABLE `WG_ORDER`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT` (`CREATE_DT` ASC);)
2019-05-23 19:22:42.468 INFO 6868 --- [ main] ShardingSphere-SQL : Actual SQL: ds0 ::: ALTER TABLE `WG_ORDER_0`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT`_WG_ORDER_0 (`CREATE_DT` ASC);
2019-05-23 19:22:42.468 INFO 6868 --- [ main] ShardingSphere-SQL : Actual SQL: ds0 ::: ALTER TABLE `WG_ORDER_1`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT`_WG_ORDER_1 (`CREATE_DT` ASC);
2019-05-23 19:22:42.468 INFO 6868 --- [ main] ShardingSphere-SQL : Actual SQL: ds1 ::: ALTER TABLE `WG_ORDER_0`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT`_WG_ORDER_0 (`CREATE_DT` ASC);
2019-05-23 19:22:42.469 INFO 6868 --- [ main] ShardingSphere-SQL : Actual SQL: ds1 ::: ALTER TABLE `WG_ORDER_1`
DROP COLUMN `COMMIT_ID`,
ADD INDEX `IDX_CREATE_DT`_WG_ORDER_1 (`CREATE_DT` ASC);
</code></pre></div> | 0 |
<p dir="auto">Using bidirectional_dynamic_rnn throws the "ValueError: None values not supported" when you are not specifying the sequence lengths. The error comes from the reverse step, the operator used to reverse the input sequences requires the sequence lengths to be specified. Maybe this should be a required parameter or alternatively generate the lengths array when the default 'None' is used.</p>
<p dir="auto">(tensorflow 1.0.0)</p> | <p dir="auto">Qualifier: very new to TF, so I may be missing something very obvious. If so, apologies.</p>
<p dir="auto">DOCUMENTATION:</p>
<p dir="auto">Is a little conflicting:</p>
<p dir="auto">"sequence_length: An int32/int64 vector, size [batch_size], containing the actual lengths for each of the sequences." <-- implies sequence_length is required</p>
<p dir="auto">However...</p>
<p dir="auto">"The initial state for both directions is zero by default (but can be set optionally) and no intermediate states are ever returned -- the network is fully unrolled for the given (passed in) length(s) of the sequence(s) or completely unrolled if length(s) is not given." <-- implies sequence_length is not required.</p>
<p dir="auto">FUNCTIONALITY"</p>
<p dir="auto">Base on the function itself ("<em>dynamic</em>"), I would assume that allowing sequence_length=None is intended (although, in either case, the documentation should be straightened out).</p>
<p dir="auto">Assuming we do want to allow seq_length=None, the offending portion within bidirectional_dynamic_rnn would appear to be:</p>
<p dir="auto">inputs_reverse = array_ops.reverse_sequence(...seq_lengths=sequence_length...)</p>
<p dir="auto">reverse_sequence appears to require seq_lengths != None</p>
<p dir="auto">Oddly enough, bidirectional_rnn may(?) be robust to this problem, as it uses _reverse_seq, which handles lengths=None.</p>
<p dir="auto">That said, I haven't tested this extensively, as I'm of course not 100% sure I've interpreted the above correctly and as to what the intended functionality is.</p>
<p dir="auto">Given guidance, I could take a stab at a pull request to address the above. Or maybe this is a quick fix/known issue (or non-issue...).</p> | 1 |
<p dir="auto"><a href="https://www.tensorflow.org/versions/r0.11/api_docs/python/state_ops.html#constant_initializer" rel="nofollow">https://www.tensorflow.org/versions/r0.11/api_docs/python/state_ops.html#constant_initializer</a></p>
<p dir="auto">On Constant Initializer -> Examples:</p>
<p dir="auto">The very large gray box contains the html of other initializer docs. Hope it can be fixed.</p> | <p dir="auto">The HTML docs for <code class="notranslate">tf.constant_initializer</code> at <a href="https://www.tensorflow.org/versions/master/api_docs/python/state_ops.html#constant_initializer" rel="nofollow">https://www.tensorflow.org/versions/master/api_docs/python/state_ops.html#constant_initializer</a> contain unclosed verbatim block, which continues past the method and contains several following methods -- see for example the <code class="notranslate">tf.random_normal_initializer</code>.</p>
<p dir="auto">I am not much familiar with the process of documentation generation, but my guess is that the verbatim ending block at </p><div class="Box Box--condensed my-2">
<div class="Box-header f6">
<p class="mb-0 text-bold">
<a href="https://github.com/tensorflow/tensorflow/blob/2c4af2e65a2018540d949cfdba1fcb15d0121f80/tensorflow/python/ops/init_ops.py#L142">tensorflow/tensorflow/python/ops/init_ops.py</a>
</p>
<p class="mb-0 color-fg-muted">
Line 142
in
<a data-pjax="true" class="commit-tease-sha" href="/tensorflow/tensorflow/commit/2c4af2e65a2018540d949cfdba1fcb15d0121f80">2c4af2e</a>
</p>
</div>
<div itemprop="text" class="Box-body p-0 blob-wrapper blob-wrapper-embedded data">
<table class="highlight tab-size mb-0 js-file-line-container" data-tab-size="8" data-paste-markdown-skip="">
<tbody><tr class="border-0">
<td id="L142" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="142"></td>
<td id="LC142" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-s"> ```</span> </td>
</tr>
</tbody></table>
</div>
</div>
has wrong indentation (it is indented by two more spaces than the start of the block).<p></p> | 1 |
<h4 dir="auto">Code Sample, a copy-pastable example if possible</h4>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import numpy as np
import pandas as pd
import datetime
df = pd.DataFrame({'a': [1, np.nan, 5],
'datetime':pd.to_datetime(['20170403', '20170404', '20170405'])})
df.set_index('datetime', inplace=True)
df.rolling('2d', 1).apply(np.nanmin)"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">numpy</span> <span class="pl-k">as</span> <span class="pl-s1">np</span>
<span class="pl-k">import</span> <span class="pl-s1">pandas</span> <span class="pl-k">as</span> <span class="pl-s1">pd</span>
<span class="pl-k">import</span> <span class="pl-s1">datetime</span>
<span class="pl-s1">df</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">DataFrame</span>({<span class="pl-s">'a'</span>: [<span class="pl-c1">1</span>, <span class="pl-s1">np</span>.<span class="pl-s1">nan</span>, <span class="pl-c1">5</span>],
<span class="pl-s">'datetime'</span>:<span class="pl-s1">pd</span>.<span class="pl-en">to_datetime</span>([<span class="pl-s">'20170403'</span>, <span class="pl-s">'20170404'</span>, <span class="pl-s">'20170405'</span>])})
<span class="pl-s1">df</span>.<span class="pl-en">set_index</span>(<span class="pl-s">'datetime'</span>, <span class="pl-s1">inplace</span><span class="pl-c1">=</span><span class="pl-c1">True</span>)
<span class="pl-s1">df</span>.<span class="pl-en">rolling</span>(<span class="pl-s">'2d'</span>, <span class="pl-c1">1</span>).<span class="pl-en">apply</span>(<span class="pl-s1">np</span>.<span class="pl-s1">nanmin</span>)</pre></div>
<h4 dir="auto">Problem description</h4>
<p dir="auto">the above generates</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" a
datetime
2017-04-03 1.0
2017-04-04 NaN
2017-04-05 5.0"><pre class="notranslate"><code class="notranslate"> a
datetime
2017-04-03 1.0
2017-04-04 NaN
2017-04-05 5.0
</code></pre></div>
<p dir="auto">when use <code class="notranslate">datetimeIndex</code>, if a row has <code class="notranslate">NaN</code> value it is not fed to input of <code class="notranslate">apply</code> when creating output for that row. To illustrate this, I use:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="def foo(x):
print(x)
return np.nanmin(x)
print(df.rolling('2d', 1).apply(foo))"><pre class="notranslate"><code class="notranslate">def foo(x):
print(x)
return np.nanmin(x)
print(df.rolling('2d', 1).apply(foo))
</code></pre></div>
<p dir="auto">and got printed value:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[ 1.]
[ nan 5.]"><pre class="notranslate"><code class="notranslate">[ 1.]
[ nan 5.]
</code></pre></div>
<p dir="auto">the second row is skipped.<br>
This issue doesn't not exist when integer index is used:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="df = pd.DataFrame({'a': [1, np.nan, 5]})
def foo(x):
print(x)
return np.nanmin(x)
print(df.rolling(2, 1).apply(foo))"><pre class="notranslate"><code class="notranslate">df = pd.DataFrame({'a': [1, np.nan, 5]})
def foo(x):
print(x)
return np.nanmin(x)
print(df.rolling(2, 1).apply(foo))
</code></pre></div>
<p dir="auto">print the following:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[ 1.]
[ 1. nan]
[ nan 5.]"><pre class="notranslate"><code class="notranslate">[ 1.]
[ 1. nan]
[ nan 5.]
</code></pre></div>
<p dir="auto">and yields correct results</p>
<h4 dir="auto">Expected Output</h4>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" a
datetime
2017-04-03 1.0
2017-04-04 1.0
2017-04-05 5.0"><pre class="notranslate"><code class="notranslate"> a
datetime
2017-04-03 1.0
2017-04-04 1.0
2017-04-05 5.0
</code></pre></div>
<h4 dir="auto">Output of <code class="notranslate">pd.show_versions()</code></h4>
<details>
INSTALLED VERSIONS
<hr>
<p dir="auto">commit: None<br>
python: 3.5.2.final.0<br>
python-bits: 64<br>
OS: Darwin<br>
OS-release: 15.6.0<br>
machine: x86_64<br>
processor: i386<br>
byteorder: little<br>
LC_ALL: None<br>
LANG: None<br>
LOCALE: en_US.UTF-8</p>
<p dir="auto">pandas: 0.20.3<br>
pytest: 2.8.5<br>
pip: 8.1.2<br>
setuptools: 25.1.6<br>
Cython: 0.23.4<br>
numpy: 1.13.1<br>
scipy: 0.17.0<br>
xarray: None<br>
IPython: 5.1.0<br>
sphinx: 1.4.1<br>
patsy: 0.4.0<br>
dateutil: 2.6.1<br>
pytz: 2017.2<br>
blosc: None<br>
bottleneck: 1.0.0<br>
tables: 3.2.2<br>
numexpr: 2.4.6<br>
feather: None<br>
matplotlib: 1.5.1<br>
openpyxl: 2.3.2<br>
xlrd: 0.9.4<br>
xlwt: 1.0.0<br>
xlsxwriter: 0.8.4<br>
lxml: 3.5.0<br>
bs4: 4.4.1<br>
html5lib: None<br>
sqlalchemy: 1.0.11<br>
pymysql: None<br>
psycopg2: None<br>
jinja2: 2.8<br>
s3fs: None<br>
pandas_gbq: None<br>
pandas_datareader: None</p>
</details> | <ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="24256738" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/5694" data-hovercard-type="issue" data-hovercard-url="/pandas-dev/pandas/issues/5694/hovercard" href="https://github.com/pandas-dev/pandas/issues/5694">#5694</a></li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="df = pd.DataFrame([0], index=[datetime(2012, 11, 4, 23, 0, 0)])
df = df.tz_localize('America/New_York')
df.resample(rule='D', how='sum')"><pre class="notranslate"><code class="notranslate">df = pd.DataFrame([0], index=[datetime(2012, 11, 4, 23, 0, 0)])
df = df.tz_localize('America/New_York')
df.resample(rule='D', how='sum')
</code></pre></div>
<p dir="auto">raises a AmbiguousTimeError even though datetime(2012, 11, 4, 23, 0, 0) is not ambiguous.</p>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="46499065" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/8601" data-hovercard-type="issue" data-hovercard-url="/pandas-dev/pandas/issues/8601/hovercard" href="https://github.com/pandas-dev/pandas/issues/8601">#8601</a></li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="idx = date_range('2014-10-08 00:00','2014-10-09 00:00', freq='D', tz='Europe/Berlin')
pd.Series(5, idx).resample('MS')"><pre class="notranslate"><code class="notranslate">idx = date_range('2014-10-08 00:00','2014-10-09 00:00', freq='D', tz='Europe/Berlin')
pd.Series(5, idx).resample('MS')
</code></pre></div>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="47932953" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/8744" data-hovercard-type="issue" data-hovercard-url="/pandas-dev/pandas/issues/8744/hovercard" href="https://github.com/pandas-dev/pandas/issues/8744">#8744</a></li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="index = pd.to_datetime(pd.Series([
'2014-10-26 07:35:49',
'2014-10-26 07:45:08',
'2014-10-26 08:04:58'
]))
df = pd.DataFrame(np.arange(len(index)), index=index)
df = df.tz_localize('Asia/Krasnoyarsk', ambiguous='NaT')
df.resample('D')
AmbiguousTimeError: Cannot infer dst time from Timestamp('2014-10-26 01:00:00'), try using the 'ambiguous' argument"><pre class="notranslate"><code class="notranslate">index = pd.to_datetime(pd.Series([
'2014-10-26 07:35:49',
'2014-10-26 07:45:08',
'2014-10-26 08:04:58'
]))
df = pd.DataFrame(np.arange(len(index)), index=index)
df = df.tz_localize('Asia/Krasnoyarsk', ambiguous='NaT')
df.resample('D')
AmbiguousTimeError: Cannot infer dst time from Timestamp('2014-10-26 01:00:00'), try using the 'ambiguous' argument
</code></pre></div>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="46928851" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/8653" data-hovercard-type="issue" data-hovercard-url="/pandas-dev/pandas/issues/8653/hovercard" href="https://github.com/pandas-dev/pandas/issues/8653">#8653</a> (might be separate issue)</li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import datetime
import pytz as tz
import pandas as pd
rome = tz.timezone('Europe/Rome')
dr = []
for i in range(2):
dp = datetime.datetime(2014, 10, 25) + datetime.timedelta(days=i)
dr.append(rome.localize(dp))
series = {}
for i, ddr in enumerate(dr):
series[ddr] = i * 10
s1 = pd.Series(series)
s1 = s1.resample('D', how='mean')"><pre class="notranslate"><code class="notranslate">import datetime
import pytz as tz
import pandas as pd
rome = tz.timezone('Europe/Rome')
dr = []
for i in range(2):
dp = datetime.datetime(2014, 10, 25) + datetime.timedelta(days=i)
dr.append(rome.localize(dp))
series = {}
for i, ddr in enumerate(dr):
series[ddr] = i * 10
s1 = pd.Series(series)
s1 = s1.resample('D', how='mean')
</code></pre></div>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="52580498" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/9119" data-hovercard-type="issue" data-hovercard-url="/pandas-dev/pandas/issues/9119/hovercard" href="https://github.com/pandas-dev/pandas/issues/9119">#9119</a></li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="53118626" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/9173" data-hovercard-type="issue" data-hovercard-url="/pandas-dev/pandas/issues/9173/hovercard" href="https://github.com/pandas-dev/pandas/issues/9173">#9173</a></li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="57368417" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/9468" data-hovercard-type="issue" data-hovercard-url="/pandas-dev/pandas/issues/9468/hovercard" href="https://github.com/pandas-dev/pandas/issues/9468">#9468</a></li>
</ul> | 0 |
<h1 dir="auto">Environment</h1>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Windows build number: Microsoft Windows [Version 10.0.18362.418]
Windows Terminal version: Version: 0.6.2951.0 (MS Store)
"><pre lang="none" class="notranslate"><code class="notranslate">Windows build number: Microsoft Windows [Version 10.0.18362.418]
Windows Terminal version: Version: 0.6.2951.0 (MS Store)
</code></pre></div>
<h1 dir="auto">Steps to reproduce</h1>
<p dir="auto">Opened a bunch of cmd tabs (6) and resized the window to be smaller (only one tab showing) to test the tab scrolling feature (works fine). Then i resized the window to be bigger, that all tabs could show up</p>
<h1 dir="auto">Expected behavior</h1>
<p dir="auto">The visible tabs should increase with expanding the width.</p>
<h1 dir="auto">Actual behavior</h1>
<p dir="auto">When minimizing the window so much, that only 1 or 2 tabs are showing up and then increasing the width, the amount of visible tabs stay and you have to add a new tab to reset the amount of tabs showing up.[<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/20930558/67473469-02ba6800-f653-11e9-9291-404ea5ef59b9.PNG"><img src="https://user-images.githubusercontent.com/20930558/67473469-02ba6800-f653-11e9-9291-404ea5ef59b9.PNG" alt="1" style="max-width: 100%;"></a><br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/20930558/67473471-03eb9500-f653-11e9-807b-72b63fdb4e55.PNG"><img src="https://user-images.githubusercontent.com/20930558/67473471-03eb9500-f653-11e9-807b-72b63fdb4e55.PNG" alt="2" style="max-width: 100%;"></a></p>
<p dir="auto">](url)</p> | <p dir="auto">Open a number of tabs. Make the window narrower. Make it wider again.</p>
<p dir="auto">It looks like this:</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/14316954/67428516-1f8f6680-f593-11e9-95c2-fb701b239c0c.png"><img src="https://user-images.githubusercontent.com/14316954/67428516-1f8f6680-f593-11e9-95c2-fb701b239c0c.png" alt="image" style="max-width: 100%;"></a></p> | 1 |
<h3 dir="auto">Bug summary</h3>
<p dir="auto">The keyword argument <code class="notranslate">transform</code> of the method ax.plot(...) malfunctions with size of the samples greater than 1000.</p>
<p dir="auto">For example, the following script</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import numpy as np
import matplotlib.pyplot as plt
import matplotlib.transforms as transforms
ax = plt.gca()
xx = np.linspace(0.0, 4 * np.pi, num=1001)
yy = np.cos(xx)
t = transforms.Affine2D().translate(10.0, 0.0).scale(2.0, 0.5)
lines = ax.plot(xx, yy, transform=t + ax.transData)
plt.show()"><pre class="notranslate"><code class="notranslate">import numpy as np
import matplotlib.pyplot as plt
import matplotlib.transforms as transforms
ax = plt.gca()
xx = np.linspace(0.0, 4 * np.pi, num=1001)
yy = np.cos(xx)
t = transforms.Affine2D().translate(10.0, 0.0).scale(2.0, 0.5)
lines = ax.plot(xx, yy, transform=t + ax.transData)
plt.show()
</code></pre></div>
<p dir="auto">Produces an expected figure</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/8431900/132308652-075bd5b6-6d14-4eb9-8615-aeef15b1a737.png"><img src="https://user-images.githubusercontent.com/8431900/132308652-075bd5b6-6d14-4eb9-8615-aeef15b1a737.png" alt="Figure_1000" style="max-width: 100%;"></a></p>
<p dir="auto">with <code class="notranslate">num=1000</code></p>
<p dir="auto">and an empty figure</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/8431900/132316353-90db4ede-cf60-4a5e-a850-d53f8e16047a.png"><img src="https://user-images.githubusercontent.com/8431900/132316353-90db4ede-cf60-4a5e-a850-d53f8e16047a.png" alt="Figure_1001" style="max-width: 100%;"></a></p>
<p dir="auto">with <code class="notranslate">num=1001</code>.</p>
<h3 dir="auto">Code for reproduction</h3>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import numpy as np
import matplotlib.pyplot as plt
import matplotlib.transforms as transforms
ax = plt.gca()
xx = np.linspace(0.0, 4 * np.pi, num=1001)
yy = np.cos(xx)
t = transforms.Affine2D().translate(10.0, 0.0).scale(2.0, 0.5)
lines = ax.plot(xx, yy, transform=t + ax.transData)
plt.show()"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">numpy</span> <span class="pl-k">as</span> <span class="pl-s1">np</span>
<span class="pl-k">import</span> <span class="pl-s1">matplotlib</span>.<span class="pl-s1">pyplot</span> <span class="pl-k">as</span> <span class="pl-s1">plt</span>
<span class="pl-k">import</span> <span class="pl-s1">matplotlib</span>.<span class="pl-s1">transforms</span> <span class="pl-k">as</span> <span class="pl-s1">transforms</span>
<span class="pl-s1">ax</span> <span class="pl-c1">=</span> <span class="pl-s1">plt</span>.<span class="pl-en">gca</span>()
<span class="pl-s1">xx</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-en">linspace</span>(<span class="pl-c1">0.0</span>, <span class="pl-c1">4</span> <span class="pl-c1">*</span> <span class="pl-s1">np</span>.<span class="pl-s1">pi</span>, <span class="pl-s1">num</span><span class="pl-c1">=</span><span class="pl-c1">1001</span>)
<span class="pl-s1">yy</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-en">cos</span>(<span class="pl-s1">xx</span>)
<span class="pl-s1">t</span> <span class="pl-c1">=</span> <span class="pl-s1">transforms</span>.<span class="pl-v">Affine2D</span>().<span class="pl-en">translate</span>(<span class="pl-c1">10.0</span>, <span class="pl-c1">0.0</span>).<span class="pl-en">scale</span>(<span class="pl-c1">2.0</span>, <span class="pl-c1">0.5</span>)
<span class="pl-s1">lines</span> <span class="pl-c1">=</span> <span class="pl-s1">ax</span>.<span class="pl-en">plot</span>(<span class="pl-s1">xx</span>, <span class="pl-s1">yy</span>, <span class="pl-s1">transform</span><span class="pl-c1">=</span><span class="pl-s1">t</span> <span class="pl-c1">+</span> <span class="pl-s1">ax</span>.<span class="pl-s1">transData</span>)
<span class="pl-s1">plt</span>.<span class="pl-en">show</span>()</pre></div>
<h3 dir="auto">Actual outcome</h3>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/8431900/132316487-226e2f0b-3c6a-4409-a70b-11eb256b6b26.png"><img src="https://user-images.githubusercontent.com/8431900/132316487-226e2f0b-3c6a-4409-a70b-11eb256b6b26.png" alt="Figure_1001" style="max-width: 100%;"></a></p>
<h3 dir="auto">Expected outcome</h3>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/8431900/132316499-b5fbb3f8-d5ce-4200-ab5e-d84a97183c87.png"><img src="https://user-images.githubusercontent.com/8431900/132316499-b5fbb3f8-d5ce-4200-ab5e-d84a97183c87.png" alt="Figure_1000" style="max-width: 100%;"></a></p>
<h3 dir="auto">Operating system</h3>
<p dir="auto">Linux</p>
<h3 dir="auto">Matplotlib Version</h3>
<p dir="auto">3.4.3</p>
<h3 dir="auto">Matplotlib Backend</h3>
<p dir="auto">Qt5Agg</p>
<h3 dir="auto">Python version</h3>
<p dir="auto">Python 3.8.7</p>
<h3 dir="auto">Jupyter version</h3>
<p dir="auto"><em>No response</em></p>
<h3 dir="auto">Other libraries</h3>
<p dir="auto"><em>No response</em></p>
<h3 dir="auto">Installation</h3>
<p dir="auto">pip</p>
<h3 dir="auto">Conda channel</h3>
<p dir="auto"><em>No response</em></p> | <h3 dir="auto">Bug summary</h3>
<p dir="auto">I have Windows 10, conda 4.10.3 with Python 3.9.7 and dependencies</p>
<p dir="auto">matplotlib-base==3.5.1<br>
matplotlib==3.5.1<br>
matplotlib-inline==0.1.3<br>
numpy==1.21.2<br>
numpy-base==1.21.2</p>
<p dir="auto">(amongst other installed packages). When I try to create plots using matplotlib.pyplot:</p>
<h3 dir="auto">Code for reproduction</h3>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="plt.plot(...)
# OR-
plt.scatter(...)
plt.show()"><pre class="notranslate"><span class="pl-s1">plt</span>.<span class="pl-en">plot</span>(...)
<span class="pl-c"># OR-</span>
<span class="pl-s1">plt</span>.<span class="pl-en">scatter</span>(...)
<span class="pl-s1">plt</span>.<span class="pl-en">show</span>()</pre></div>
<h3 dir="auto">Actual outcome</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="OMP: Error #15: Initializing libiomp5md.dll, but found libiomp5 already initialized. OMP: Hint This means that multiple copies of the OpenMP runtime have been linked into the program. That is dangerous, since it can degrade performance or cause incorrect results. The best thing to do is to ensure that only a single OpenMP runtime is linked into the process, e.g. by avoiding static linking of the OpenMP runtime in any library. As an unsafe, unsupported, undocumented workaround you can set the environment variable KMP_DUPLICATE_LIB_OK=TRUE to allow the program to continue to execute, but that may cause crashes or silently produce incorrect results. For more information, please see http://www.intel.com/software/products/support/."><pre class="notranslate"><code class="notranslate">OMP: Error #15: Initializing libiomp5md.dll, but found libiomp5 already initialized. OMP: Hint This means that multiple copies of the OpenMP runtime have been linked into the program. That is dangerous, since it can degrade performance or cause incorrect results. The best thing to do is to ensure that only a single OpenMP runtime is linked into the process, e.g. by avoiding static linking of the OpenMP runtime in any library. As an unsafe, unsupported, undocumented workaround you can set the environment variable KMP_DUPLICATE_LIB_OK=TRUE to allow the program to continue to execute, but that may cause crashes or silently produce incorrect results. For more information, please see http://www.intel.com/software/products/support/.
</code></pre></div>
<h3 dir="auto">Expected outcome</h3>
<p dir="auto">visualization</p>
<h3 dir="auto">Additional information</h3>
<p dir="auto"><em>No response</em></p>
<h3 dir="auto">Operating system</h3>
<p dir="auto">Windows 10</p>
<h3 dir="auto">Matplotlib Version</h3>
<p dir="auto">3.5.1</p>
<h3 dir="auto">Matplotlib Backend</h3>
<p dir="auto"><em>No response</em></p>
<h3 dir="auto">Python version</h3>
<p dir="auto">3.9.7</p>
<h3 dir="auto">Jupyter version</h3>
<p dir="auto"><em>No response</em></p>
<h3 dir="auto">Installation</h3>
<p dir="auto">conda</p>
<p dir="auto">[<a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/tacaswell/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/tacaswell">@tacaswell</a> edited to add markup]</p> | 0 |
<p dir="auto">xref <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="849775863" data-permission-text="Title is private" data-url="https://github.com/jump-dev/MathOptInterface.jl/issues/1294" data-hovercard-type="issue" data-hovercard-url="/jump-dev/MathOptInterface.jl/issues/1294/hovercard" href="https://github.com/jump-dev/MathOptInterface.jl/issues/1294">jump-dev/MathOptInterface.jl#1294</a><br>
also looks similar to <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="797730084" data-permission-text="Title is private" data-url="https://github.com/JuliaLang/julia/issues/39465" data-hovercard-type="issue" data-hovercard-url="/JuliaLang/julia/issues/39465/hovercard" href="https://github.com/JuliaLang/julia/issues/39465">#39465</a></p>
<p dir="auto">I'm not sure how to properly reduce this, sorry for the dependency. On Julia master, if I run:</p>
<div class="highlight highlight-source-julia notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="using Hypatia
const MOI = Hypatia.MOI
model = Hypatia.Optimizer()
cache = MOI.Utilities.Model{Float64}()
MOI.copy_to(model, cache)"><pre class="notranslate"><span class="pl-k">using</span> Hypatia
<span class="pl-k">const</span> MOI <span class="pl-k">=</span> Hypatia<span class="pl-k">.</span>MOI
model <span class="pl-k">=</span> Hypatia<span class="pl-k">.</span><span class="pl-c1">Optimizer</span>()
cache <span class="pl-k">=</span> MOI<span class="pl-k">.</span>Utilities<span class="pl-k">.</span><span class="pl-c1">Model</span><span class="pl-c1">{Float64}</span>()
MOI<span class="pl-k">.</span><span class="pl-c1">copy_to</span>(model, cache)</pre></div>
<p dir="auto">I get :</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Internal error: encountered unexpected error in runtime:
StackOverflowError()
intersect at /home/thoth/julia/src/subtype.c:2944
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3060
intersect_unionall_ at /home/thoth/julia/src/subtype.c:2538
intersect_unionall at /home/thoth/julia/src/subtype.c:2587
intersect at /home/thoth/julia/src/subtype.c:3096
intersect_all at /home/thoth/julia/src/subtype.c:3186
intersect_aside at /home/thoth/julia/src/subtype.c:2092 [inlined]
intersect_aside at /home/thoth/julia/src/subtype.c:2079 [inlined]
intersect_var at /home/thoth/julia/src/subtype.c:2306
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3060
intersect_unionall_ at /home/thoth/julia/src/subtype.c:2538
intersect_unionall at /home/thoth/julia/src/subtype.c:2587
intersect at /home/thoth/julia/src/subtype.c:3096
intersect_all at /home/thoth/julia/src/subtype.c:3186
intersect_aside at /home/thoth/julia/src/subtype.c:2092 [inlined]
intersect_aside at /home/thoth/julia/src/subtype.c:2079 [inlined]
intersect_var at /home/thoth/julia/src/subtype.c:2306
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3060
intersect_unionall_ at /home/thoth/julia/src/subtype.c:2538
intersect_unionall at /home/thoth/julia/src/subtype.c:2587
intersect at /home/thoth/julia/src/subtype.c:3096
intersect_all at /home/thoth/julia/src/subtype.c:3186
intersect_aside at /home/thoth/julia/src/subtype.c:2092 [inlined]
intersect_aside at /home/thoth/julia/src/subtype.c:2079 [inlined]
intersect_var at /home/thoth/julia/src/subtype.c:2306
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3060
...etc"><pre class="notranslate"><code class="notranslate">Internal error: encountered unexpected error in runtime:
StackOverflowError()
intersect at /home/thoth/julia/src/subtype.c:2944
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3060
intersect_unionall_ at /home/thoth/julia/src/subtype.c:2538
intersect_unionall at /home/thoth/julia/src/subtype.c:2587
intersect at /home/thoth/julia/src/subtype.c:3096
intersect_all at /home/thoth/julia/src/subtype.c:3186
intersect_aside at /home/thoth/julia/src/subtype.c:2092 [inlined]
intersect_aside at /home/thoth/julia/src/subtype.c:2079 [inlined]
intersect_var at /home/thoth/julia/src/subtype.c:2306
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3060
intersect_unionall_ at /home/thoth/julia/src/subtype.c:2538
intersect_unionall at /home/thoth/julia/src/subtype.c:2587
intersect at /home/thoth/julia/src/subtype.c:3096
intersect_all at /home/thoth/julia/src/subtype.c:3186
intersect_aside at /home/thoth/julia/src/subtype.c:2092 [inlined]
intersect_aside at /home/thoth/julia/src/subtype.c:2079 [inlined]
intersect_var at /home/thoth/julia/src/subtype.c:2306
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3060
intersect_unionall_ at /home/thoth/julia/src/subtype.c:2538
intersect_unionall at /home/thoth/julia/src/subtype.c:2587
intersect at /home/thoth/julia/src/subtype.c:3096
intersect_all at /home/thoth/julia/src/subtype.c:3186
intersect_aside at /home/thoth/julia/src/subtype.c:2092 [inlined]
intersect_aside at /home/thoth/julia/src/subtype.c:2079 [inlined]
intersect_var at /home/thoth/julia/src/subtype.c:2306
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3044
intersect at /home/thoth/julia/src/subtype.c:3060
...etc
</code></pre></div>
<p dir="auto">This is with <code class="notranslate">Hypatia</code> master on Ubuntu (but also seen on Windows).</p> | <h2 dir="auto">MWE (sorry that it involves a heavyweight dependency)</h2>
<div class="highlight highlight-source-julia notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="using Pkg; Pkg.add("MixedModels")
using MixedModels
using MixedModels: dataset
cbpp = dataset(:cbpp)
form = @formula((incid/hsz) ~ 1 + period + (1|herd))
# fails
glmm = GeneralizedLinearMixedModel(form, cbpp,
Binomial();
wts=float(cbpp.hsz))
#fails
@code_warntype GeneralizedLinearMixedModel(form, cbpp,
Binomial();
wts=float(cbpp.hsz))"><pre class="notranslate"><span class="pl-k">using</span> Pkg; Pkg<span class="pl-k">.</span><span class="pl-c1">add</span>(<span class="pl-s"><span class="pl-pds">"</span>MixedModels<span class="pl-pds">"</span></span>)
<span class="pl-k">using</span> MixedModels
<span class="pl-k">using</span> MixedModels<span class="pl-k">:</span> dataset
cbpp <span class="pl-k">=</span> <span class="pl-c1">dataset</span>(<span class="pl-c1">:cbpp</span>)
form <span class="pl-k">=</span> <span class="pl-c1">@formula</span>((incid<span class="pl-k">/</span>hsz) <span class="pl-k">~</span> <span class="pl-c1">1</span> <span class="pl-k">+</span> period <span class="pl-k">+</span> (<span class="pl-c1">1</span><span class="pl-k">|</span>herd))
<span class="pl-c"><span class="pl-c">#</span> fails</span>
glmm <span class="pl-k">=</span> <span class="pl-c1">GeneralizedLinearMixedModel</span>(form, cbpp,
<span class="pl-c1">Binomial</span>();
wts<span class="pl-k">=</span><span class="pl-c1">float</span>(cbpp<span class="pl-k">.</span>hsz))
<span class="pl-c"><span class="pl-c">#</span>fails</span>
<span class="pl-c1">@code_warntype</span> <span class="pl-c1">GeneralizedLinearMixedModel</span>(form, cbpp,
<span class="pl-c1">Binomial</span>();
wts<span class="pl-k">=</span><span class="pl-c1">float</span>(cbpp<span class="pl-k">.</span>hsz))</pre></div>
<p dir="auto">On 1.6, we get reasonable behavior:</p>
<div class="highlight highlight-source-julia notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" @code_warntype GeneralizedLinearMixedModel(form, cbpp,
Binomial();
wts=float(cbpp.hsz))
MethodInstance for (::Core.var"#Type##kw")(::NamedTuple{(:wts,), Tuple{Vector{Float64}}}, ::Type{GeneralizedLinearMixedModel}, ::StatsModels.FormulaTerm{StatsModels.FunctionTerm{typeof(/), var"#1#3", (:incid, :hsz)}, Tuple{StatsModels.ConstantTerm{Int64}, StatsModels.Term, StatsModels.FunctionTerm{typeof(|), var"#2#4", (:herd,)}}}, ::Arrow.Table, ::Binomial{Float64})
from (var"#s35"::Core.var"#Type##kw")(::Any, ::Type{GeneralizedLinearMixedModel}, f::StatsModels.FormulaTerm, tbl, d::Distributions.Distribution) in MixedModels at /home/alex/.julia/dev/MixedModels/src/generalizedlinearmixedmodel.jl:325
Arguments
#s35::Core.Const(Core.var"#Type##kw"())
@_2::NamedTuple{(:wts,), Tuple{Vector{Float64}}}
@_3::Type{GeneralizedLinearMixedModel}
f::StatsModels.FormulaTerm{StatsModels.FunctionTerm{typeof(/), var"#1#3", (:incid, :hsz)}, Tuple{StatsModels.ConstantTerm{Int64}, StatsModels.Term, StatsModels.FunctionTerm{typeof(|), var"#2#4", (:herd,)}}}
tbl::Arrow.Table
d::Binomial{Float64}
Body::GeneralizedLinearMixedModel
1 ─ %1 = MixedModels.canonicallink(d)::Core.Const(LogitLink())
│ %2 = (#s35)(@_2, @_3, f, tbl, d, %1)::GeneralizedLinearMixedModel
└── return %2"><pre class="notranslate"> <span class="pl-c1">@code_warntype</span> <span class="pl-c1">GeneralizedLinearMixedModel</span>(form, cbpp,
<span class="pl-c1">Binomial</span>();
wts<span class="pl-k">=</span><span class="pl-c1">float</span>(cbpp<span class="pl-k">.</span>hsz))
MethodInstance <span class="pl-k">for</span> (<span class="pl-k">::</span><span class="pl-c1">Core.var"#Type##kw"</span>)(<span class="pl-k">::</span><span class="pl-c1">NamedTuple{(:wts,), Tuple{Vector{Float64}}}</span>, <span class="pl-k">::</span><span class="pl-c1">Type{GeneralizedLinearMixedModel}</span>, <span class="pl-k">::</span><span class="pl-c1">StatsModels.FormulaTerm{StatsModels.FunctionTerm{typeof(/), var"#1#3", (:incid, :hsz)}, Tuple{StatsModels.ConstantTerm{Int64}, StatsModels.Term, StatsModels.FunctionTerm{typeof(|), var"#2#4", (:herd,)}}}</span>, <span class="pl-k">::</span><span class="pl-c1">Arrow.Table</span>, <span class="pl-k">::</span><span class="pl-c1">Binomial{Float64}</span>)
from (<span class="pl-c1">var"#s35"</span><span class="pl-k">::</span><span class="pl-c1">Core.var"#Type##kw"</span>)(<span class="pl-k">::</span><span class="pl-c1">Any</span>, <span class="pl-k">::</span><span class="pl-c1">Type{GeneralizedLinearMixedModel}</span>, f<span class="pl-k">::</span><span class="pl-c1">StatsModels.FormulaTerm</span>, tbl, d<span class="pl-k">::</span><span class="pl-c1">Distributions.Distribution</span>) <span class="pl-k">in</span> MixedModels at <span class="pl-k">/</span>home<span class="pl-k">/</span>alex<span class="pl-k">/</span><span class="pl-k">.</span>julia<span class="pl-k">/</span>dev<span class="pl-k">/</span>MixedModels<span class="pl-k">/</span>src<span class="pl-k">/</span>generalizedlinearmixedmodel<span class="pl-k">.</span>jl<span class="pl-k">:</span><span class="pl-c1">325</span>
Arguments
<span class="pl-c"><span class="pl-c">#</span>s35::Core.Const(Core.var"#Type##kw"())</span>
<span class="pl-c1">@_2</span><span class="pl-k">::</span><span class="pl-c1">NamedTuple{(:wts,), Tuple{Vector{Float64}}}</span>
<span class="pl-c1">@_3</span><span class="pl-k">::</span><span class="pl-c1">Type{GeneralizedLinearMixedModel}</span>
f<span class="pl-k">::</span><span class="pl-c1">StatsModels.FormulaTerm{StatsModels.FunctionTerm{typeof(/), var"#1#3", (:incid, :hsz)}, Tuple{StatsModels.ConstantTerm{Int64}, StatsModels.Term, StatsModels.FunctionTerm{typeof(|), var"#2#4", (:herd,)}}}</span>
tbl<span class="pl-k">::</span><span class="pl-c1">Arrow.Table</span>
d<span class="pl-k">::</span><span class="pl-c1">Binomial{Float64}</span>
Body<span class="pl-k">::</span><span class="pl-c1">GeneralizedLinearMixedModel</span>
<span class="pl-c1">1</span> ─ <span class="pl-k">%</span><span class="pl-c1">1</span> <span class="pl-k">=</span> MixedModels<span class="pl-k">.</span><span class="pl-c1">canonicallink</span>(d)<span class="pl-k">::</span><span class="pl-c1">Core.Const</span>(<span class="pl-c1">LogitLink</span>())
│ <span class="pl-k">%</span><span class="pl-c1">2</span> <span class="pl-k">=</span> (<span class="pl-c"><span class="pl-c">#</span>s35)(@_2, @_3, f, tbl, d, %1)::GeneralizedLinearMixedModel</span>
└── <span class="pl-k">return</span> <span class="pl-k">%</span><span class="pl-c1">2</span></pre></div>
<h2 dir="auto">My environment</h2>
<div class="highlight highlight-source-julia notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="julia> versioninfo(verbose=true)
Julia Version 1.7.0-DEV.709
Commit 11016bfcb2 (2021-03-15 14:55 UTC)
Platform Info:
OS: Linux (x86_64-linux-gnu)
Linux Mint 20.1
uname: Linux 5.8.0-44-generic #50~20.04.1-Ubuntu SMP Wed Feb 10 21:07:30 UTC 2021 x86_64 x86_64
CPU: Intel(R) Xeon(R) E-2288G CPU @ 3.70GHz:
speed user nice sys idle irq
#1-16 4781 MHz 3839559 s 18585 s 1265381 s 102100514 s 0 s
Memory: 31.24289321899414 GB (654.33203125 MB free)
Uptime: 676427.0 sec
Load Avg: 2.0 1.49 1.24
WORD_SIZE: 64
LIBM: libopenlibm
LLVM: libLLVM-11.0.1 (ORCJIT, skylake)
Environment:
JULIA_NUM_THREADS = 8
R_LD_LIBRARY_PATH = /usr/local/lib/julia/
XDG_SESSION_PATH = /org/freedesktop/DisplayManager/Session0
MANDATORY_PATH = /usr/share/gconf/cinnamon.mandatory.path
HOMEBREW_PREFIX = /home/linuxbrew/.linuxbrew
MANPATH = /home/linuxbrew/.linuxbrew/share/man:/home/linuxbrew/.linuxbrew/share/man::
HOME = /home/user
XDG_SEAT_PATH = /org/freedesktop/DisplayManager/Seat0
INFOPATH = /home/linuxbrew/.linuxbrew/share/info:/home/linuxbrew/.linuxbrew/share/info:
GEM_HOME = /home/user/gems
TERM = screen-256color
DEFAULTS_PATH = /usr/share/gconf/cinnamon.default.path
HOMEBREW_CELLAR = /home/linuxbrew/.linuxbrew/Cellar
HOMEBREW_REPOSITORY = /home/linuxbrew/.linuxbrew/Homebrew
PATH = /home/user/gems/bin:/home/linuxbrew/.linuxbrew/bin:/home/linuxbrew/.linuxbrew/sbin:/home/user/.local/bin:/home/user/.bin:/home/user/gems/bin:/home/user/anaconda3/condabin:/home/linuxbrew/.linuxbrew/bin:/home/linuxbrew/.linuxbrew/sbin:/home/user/.local/bin:/home/user/.bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin:/usr/games:/usr/local/games:/snap/bin:/home/user/.golang/bin:/home/user/.golang/bin
GOPATH = /home/user/.golang"><pre class="notranslate">julia<span class="pl-k">></span> <span class="pl-c1">versioninfo</span>(verbose<span class="pl-k">=</span><span class="pl-c1">true</span>)
Julia Version <span class="pl-c1">1.7</span>.<span class="pl-c1">0</span><span class="pl-k">-</span>DEV.<span class="pl-c1">709</span>
Commit <span class="pl-c1">11016</span>bfcb2 (<span class="pl-c1">2021</span><span class="pl-k">-</span><span class="pl-c1">03</span><span class="pl-k">-</span><span class="pl-c1">15</span> <span class="pl-c1">14</span><span class="pl-k">:</span><span class="pl-c1">55</span> UTC)
Platform Info<span class="pl-k">:</span>
OS<span class="pl-k">:</span> Linux (x86_64<span class="pl-k">-</span>linux<span class="pl-k">-</span>gnu)
Linux Mint <span class="pl-c1">20.1</span>
uname<span class="pl-k">:</span> Linux <span class="pl-c1">5.8</span>.<span class="pl-c1">0</span><span class="pl-k">-</span><span class="pl-c1">44</span><span class="pl-k">-</span>generic <span class="pl-c"><span class="pl-c">#</span>50~20.04.1-Ubuntu SMP Wed Feb 10 21:07:30 UTC 2021 x86_64 x86_64</span>
CPU<span class="pl-k">:</span> <span class="pl-c1">Intel</span>(R) <span class="pl-c1">Xeon</span>(R) E<span class="pl-k">-</span><span class="pl-c1">2288</span>G CPU @ <span class="pl-c1">3.70</span>GHz<span class="pl-k">:</span>
speed user nice sys idle irq
<span class="pl-c"><span class="pl-c">#</span>1-16 4781 MHz 3839559 s 18585 s 1265381 s 102100514 s 0 s</span>
Memory<span class="pl-k">:</span> <span class="pl-c1">31.24289321899414</span> GB (<span class="pl-c1">654.33203125</span> MB free)
Uptime<span class="pl-k">:</span> <span class="pl-c1">676427.0</span> sec
Load Avg<span class="pl-k">:</span> <span class="pl-c1">2.0</span> <span class="pl-c1">1.49</span> <span class="pl-c1">1.24</span>
WORD_SIZE<span class="pl-k">:</span> <span class="pl-c1">64</span>
LIBM<span class="pl-k">:</span> libopenlibm
LLVM<span class="pl-k">:</span> libLLVM<span class="pl-k">-</span><span class="pl-c1">11.0</span>.<span class="pl-c1">1</span> (ORCJIT, skylake)
Environment<span class="pl-k">:</span>
JULIA_NUM_THREADS <span class="pl-k">=</span> <span class="pl-c1">8</span>
R_LD_LIBRARY_PATH <span class="pl-k">=</span> <span class="pl-k">/</span>usr<span class="pl-k">/</span><span class="pl-k">local</span><span class="pl-k">/</span>lib<span class="pl-k">/</span>julia<span class="pl-k">/</span>
XDG_SESSION_PATH <span class="pl-k">=</span> <span class="pl-k">/</span>org<span class="pl-k">/</span>freedesktop<span class="pl-k">/</span>DisplayManager<span class="pl-k">/</span>Session0
MANDATORY_PATH <span class="pl-k">=</span> <span class="pl-k">/</span>usr<span class="pl-k">/</span>share<span class="pl-k">/</span>gconf<span class="pl-k">/</span>cinnamon<span class="pl-k">.</span>mandatory<span class="pl-k">.</span>path
HOMEBREW_PREFIX <span class="pl-k">=</span> <span class="pl-k">/</span>home<span class="pl-k">/</span>linuxbrew<span class="pl-k">/</span><span class="pl-k">.</span>linuxbrew
MANPATH <span class="pl-k">=</span> <span class="pl-k">/</span>home<span class="pl-k">/</span>linuxbrew<span class="pl-k">/</span><span class="pl-k">.</span>linuxbrew<span class="pl-k">/</span>share<span class="pl-k">/</span>man<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>linuxbrew<span class="pl-k">/</span><span class="pl-k">.</span>linuxbrew<span class="pl-k">/</span>share<span class="pl-k">/</span>man<span class="pl-k">:</span>:
HOME <span class="pl-k">=</span> <span class="pl-k">/</span>home<span class="pl-k">/</span>user
XDG_SEAT_PATH <span class="pl-k">=</span> <span class="pl-k">/</span>org<span class="pl-k">/</span>freedesktop<span class="pl-k">/</span>DisplayManager<span class="pl-k">/</span>Seat0
INFOPATH <span class="pl-k">=</span> <span class="pl-k">/</span>home<span class="pl-k">/</span>linuxbrew<span class="pl-k">/</span><span class="pl-k">.</span>linuxbrew<span class="pl-k">/</span>share<span class="pl-k">/</span>info<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>linuxbrew<span class="pl-k">/</span><span class="pl-k">.</span>linuxbrew<span class="pl-k">/</span>share<span class="pl-k">/</span>info<span class="pl-k">:</span>
GEM_HOME <span class="pl-k">=</span> <span class="pl-k">/</span>home<span class="pl-k">/</span>user<span class="pl-k">/</span>gems
TERM <span class="pl-k">=</span> screen<span class="pl-k">-</span><span class="pl-c1">256</span>color
DEFAULTS_PATH <span class="pl-k">=</span> <span class="pl-k">/</span>usr<span class="pl-k">/</span>share<span class="pl-k">/</span>gconf<span class="pl-k">/</span>cinnamon<span class="pl-k">.</span>default<span class="pl-k">.</span>path
HOMEBREW_CELLAR <span class="pl-k">=</span> <span class="pl-k">/</span>home<span class="pl-k">/</span>linuxbrew<span class="pl-k">/</span><span class="pl-k">.</span>linuxbrew<span class="pl-k">/</span>Cellar
HOMEBREW_REPOSITORY <span class="pl-k">=</span> <span class="pl-k">/</span>home<span class="pl-k">/</span>linuxbrew<span class="pl-k">/</span><span class="pl-k">.</span>linuxbrew<span class="pl-k">/</span>Homebrew
PATH <span class="pl-k">=</span> <span class="pl-k">/</span>home<span class="pl-k">/</span>user<span class="pl-k">/</span>gems<span class="pl-k">/</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>linuxbrew<span class="pl-k">/</span><span class="pl-k">.</span>linuxbrew<span class="pl-k">/</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>linuxbrew<span class="pl-k">/</span><span class="pl-k">.</span>linuxbrew<span class="pl-k">/</span>sbin<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>user<span class="pl-k">/</span><span class="pl-k">.</span><span class="pl-k">local</span><span class="pl-k">/</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>user<span class="pl-k">/</span><span class="pl-k">.</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>user<span class="pl-k">/</span>gems<span class="pl-k">/</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>user<span class="pl-k">/</span>anaconda3<span class="pl-k">/</span>condabin<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>linuxbrew<span class="pl-k">/</span><span class="pl-k">.</span>linuxbrew<span class="pl-k">/</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>linuxbrew<span class="pl-k">/</span><span class="pl-k">.</span>linuxbrew<span class="pl-k">/</span>sbin<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>user<span class="pl-k">/</span><span class="pl-k">.</span><span class="pl-k">local</span><span class="pl-k">/</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>user<span class="pl-k">/</span><span class="pl-k">.</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>usr<span class="pl-k">/</span><span class="pl-k">local</span><span class="pl-k">/</span>sbin<span class="pl-k">:</span><span class="pl-k">/</span>usr<span class="pl-k">/</span><span class="pl-k">local</span><span class="pl-k">/</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>usr<span class="pl-k">/</span>sbin<span class="pl-k">:</span><span class="pl-k">/</span>usr<span class="pl-k">/</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>sbin<span class="pl-k">:</span><span class="pl-k">/</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>usr<span class="pl-k">/</span>games<span class="pl-k">:</span><span class="pl-k">/</span>usr<span class="pl-k">/</span><span class="pl-k">local</span><span class="pl-k">/</span>games<span class="pl-k">:</span><span class="pl-k">/</span>snap<span class="pl-k">/</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>user<span class="pl-k">/</span><span class="pl-k">.</span>golang<span class="pl-k">/</span>bin<span class="pl-k">:</span><span class="pl-k">/</span>home<span class="pl-k">/</span>user<span class="pl-k">/</span><span class="pl-k">.</span>golang<span class="pl-k">/</span>bin
GOPATH <span class="pl-k">=</span> <span class="pl-k">/</span>home<span class="pl-k">/</span>user<span class="pl-k">/</span><span class="pl-k">.</span>golang</pre></div>
<p dir="auto">cc <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/ararslan/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/ararslan">@ararslan</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dmbates/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dmbates">@dmbates</a></p> | 1 |
<p dir="auto">I have been observing that a lot of issues are being created with simply incorrect code. This adds to the bug triaging effort and also doesn't push the newcomer to do analysis and research. It is assumed that FCC is buggy and the code is fine when it is not. There are certainly number of valid bugs but even then duplicate (valid) bugs is commonplace. Here is what I suggest-</p>
<ol dir="auto">
<li>Create a new waypoint or add these as steps in a waypoint.</li>
<li>Have the bug button display on challenges conditional ,for example only user with > 50 points would be able to see it. I am not sure if it already works this way. Also, mention this to the user, something like "You will be able to open issues on Github once you have 50 points by clicking this button".</li>
<li>Mention that user should search with the bonfire challenge title to find out if similar issue has already been reported.</li>
<li>If not found then he/she should go ahead and open a bug but add the complete title of the challenge on the bug title followed by the problem , so the next set of users can find this issue easily.</li>
<li>As a best practice of opening bugs, users should be encouraged to add screenshot of the problem, add the problamatic code <em>(in proper markdown formatting, this might also be an opportunity to briefly describe github markdown syntax for code, since this is very frequently asked on the chat room)</em> and describe the problem as verbosely as possible.</li>
</ol>
<p dir="auto">I hope I was able to explain clearly and you find this suggestion helpful.</p> | <p dir="auto">Challenge <a href="http://beta.freecodecamp.com/en/challenges/basic-javascript/divide-one-decimal-by-another-with-javascript" rel="nofollow">divide-one-decimal-by-another-with-javascript</a> has an issue.<br>
User Agent is: <code class="notranslate">Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/57.0.2987.110 Safari/537.36</code>.<br>
Please describe how to reproduce this issue, and include links to screenshots if possible.</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="
var quotient = 4.4 / 2.0; // Fix this line
"><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">quotient</span> <span class="pl-c1">=</span> <span class="pl-c1">4.4</span> <span class="pl-c1">/</span> <span class="pl-c1">2.0</span><span class="pl-kos">;</span> <span class="pl-c">// Fix this line</span>
</pre></div>
<p dir="auto">Challenge won't pass because of a "The quotient variable should only be assigned once" error. The quotient var isn't assigned anywhere else and this is the only line of code on the editor.</p>
<p dir="auto">I tried editing the error to remove any whitespace so there was only 1 line on the editor, but it still didn't pass.</p> | 0 |
<p dir="auto">First of all I am not sure if this is really a valid issue, as I am not sure if it is the responsibility of typescript but I have an issue with ES3 output.</p>
<p dir="auto">In ES3 apparently you cannot do</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Promise.resolve(...)
.then(...)
.catch(...);"><pre class="notranslate"><code class="notranslate">Promise.resolve(...)
.then(...)
.catch(...);
</code></pre></div>
<p dir="auto">you have to do</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Promise.resolve(...)
["then"](...)
["catch"](...);"><pre class="notranslate"><code class="notranslate">Promise.resolve(...)
["then"](...)
["catch"](...);
</code></pre></div>
<p dir="auto">However when targetting ES3 TS does not seem to notice this and lets it through, again I am not entirely sure if this is legit etc but I have spent ages tracking down an issue and it seems that ES3 does not support chaining like shown</p>
<p dir="auto">should this be added as an issue or is this not really TS' responsibility?</p>
<p dir="auto">Here is a related question on SO:<br>
<a href="http://stackoverflow.com/questions/23105089/angular-q-catch-method-fails-in-ie8" rel="nofollow">http://stackoverflow.com/questions/23105089/angular-q-catch-method-fails-in-ie8</a></p> | <p dir="auto">At work we have an embedded old IE8 engine that Works with ES3, and we have made an implementation of the ES6 Map and Set. Those clases have a <code class="notranslate">delete</code> method, which name is the same as the <code class="notranslate">delete</code> keyword.<br>
So the following typescript:</p>
<div class="highlight highlight-source-ts notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var a = new Map<string, string>();
a.set("a", "a");
a.delete("a");"><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">a</span> <span class="pl-c1">=</span> <span class="pl-k">new</span> <span class="pl-smi">Map</span><span class="pl-kos"><</span><span class="pl-smi">string</span><span class="pl-kos">,</span> <span class="pl-smi">string</span><span class="pl-kos">></span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-en">set</span><span class="pl-kos">(</span><span class="pl-s">"a"</span><span class="pl-kos">,</span> <span class="pl-s">"a"</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-en">delete</span><span class="pl-kos">(</span><span class="pl-s">"a"</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div>
<p dir="auto">produces somethind like:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var a = new Map();
a.set("a", "a");
a.delete("a");"><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">a</span> <span class="pl-c1">=</span> <span class="pl-k">new</span> <span class="pl-v">Map</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-en">set</span><span class="pl-kos">(</span><span class="pl-s">"a"</span><span class="pl-kos">,</span> <span class="pl-s">"a"</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-en">delete</span><span class="pl-kos">(</span><span class="pl-s">"a"</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div>
<p dir="auto">But the <em>old IE8 engine</em> throws an error because of the <code class="notranslate">delete</code> keyword. Could ES3 target of TypeScript generate an string accessor for cases like this?</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="a["delete"]("a");"><pre class="notranslate"><span class="pl-s1">a</span><span class="pl-kos">[</span><span class="pl-s">"delete"</span><span class="pl-kos">]</span><span class="pl-kos">(</span><span class="pl-s">"a"</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div>
<p dir="auto">Of course, the same casi would occur with "new" etc.</p>
<p dir="auto">Thanks!!</p> | 1 |
<p dir="auto">I clicked on a row, and cursor appears. I typed some in english, than changed to russian and typed some. Cursor was still visible.<br>
Then, I changed keyboard layout back to english and cursor dissapeared.</p>
<p dir="auto">Ubuntu 14.04, installed atom from webupd8`s ppa</p> | <p dir="auto">When I hold the Alt key for a second (with the side-effect that the entries in the menu bar are showing up) the cursor disappears. This is really annoying for key-bindings where the alt key is involved.<br>
The cursor appears again after pressing a mouse button.</p>
<p dir="auto">My ubuntu version is 14.04, atom version is <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/atom/atom/commit/5b7b3501a60216e38747944b5dc8ef477d82b1ef/hovercard" href="https://github.com/atom/atom/commit/5b7b3501a60216e38747944b5dc8ef477d82b1ef"><tt>5b7b350</tt></a> (built from github master).</p> | 1 |
<p dir="auto"><strong>Description</strong><br>
As an enhancement to <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="250651797" data-permission-text="Title is private" data-url="https://github.com/symfony/symfony/issues/23901" data-hovercard-type="pull_request" data-hovercard-url="/symfony/symfony/pull/23901/hovercard" href="https://github.com/symfony/symfony/pull/23901">#23901</a>, It would be nice to support recursive env var resolution. It is not obvious from the docs or PR (unless i'm missing something), that this is not already supported, so I went around in circles trying to make it work for a while, until Nicolas helped me.</p>
<p dir="auto">cc <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/nicolas-grekas/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/nicolas-grekas">@nicolas-grekas</a></p>
<p dir="auto"><strong>Example</strong><br>
Given environment variables:</p>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="DATABASE_URL=postgres://user:%env(DATABASE_PASSWORD)%@127.0.0.1:5432/database
DATABASE_PASSWORD=foo"><pre class="notranslate">DATABASE_URL=postgres://user:%env(DATABASE_PASSWORD)%@127.0.0.1:5432/database
DATABASE_PASSWORD=foo</pre></div>
<p dir="auto">And some configuration:</p>
<div class="highlight highlight-source-yaml notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="parameters:
env(DATABASE_PASSWORD): ''
env(DATABASE_URL): ''
doctrine:
...
url: '%env(resolve:DATABASE_URL)%'"><pre class="notranslate"><span class="pl-ent">parameters</span>:
<span class="pl-ent">env(DATABASE_PASSWORD)</span>: <span class="pl-s"><span class="pl-pds">'</span><span class="pl-pds">'</span></span>
<span class="pl-ent">env(DATABASE_URL)</span>: <span class="pl-s"><span class="pl-pds">'</span><span class="pl-pds">'</span></span>
<span class="pl-ent">doctrine</span>:
...
<span class="pl-ent">url</span>: <span class="pl-s"><span class="pl-pds">'</span>%env(resolve:DATABASE_URL)%<span class="pl-pds">'</span></span></pre></div>
<p dir="auto"><code class="notranslate">DATABASE_PASSWORD</code> in <code class="notranslate">DATABASE_URL</code> should be resolved, but it is not.</p>
<p dir="auto"><strong>Current Workaround</strong><br>
You must instead use an intermediary parameter:</p>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="DATABASE_URL=postgres://user:%database_password%@127.0.0.1:5432/database
DATABASE_PASSWORD=foo"><pre class="notranslate">DATABASE_URL=postgres://user:%database_password%@127.0.0.1:5432/database
DATABASE_PASSWORD=foo</pre></div>
<div class="highlight highlight-source-yaml notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="parameters:
database_password: '%env(DATABASE_PASSWORD)'
env(DATABASE_PASSWORD): ''
env(DATABASE_URL): ''
doctrine:
...
url: '%env(resolve:DATABASE_URL)%'"><pre class="notranslate"><span class="pl-ent">parameters</span>:
<span class="pl-ent">database_password</span>: <span class="pl-s"><span class="pl-pds">'</span>%env(DATABASE_PASSWORD)<span class="pl-pds">'</span></span>
<span class="pl-ent">env(DATABASE_PASSWORD)</span>: <span class="pl-s"><span class="pl-pds">'</span><span class="pl-pds">'</span></span>
<span class="pl-ent">env(DATABASE_URL)</span>: <span class="pl-s"><span class="pl-pds">'</span><span class="pl-pds">'</span></span>
<span class="pl-ent">doctrine</span>:
...
<span class="pl-ent">url</span>: <span class="pl-s"><span class="pl-pds">'</span>%env(resolve:DATABASE_URL)%<span class="pl-pds">'</span></span></pre></div> | <p dir="auto">If you require only the <code class="notranslate">symfony/config</code> component you depend on the <code class="notranslate">symfony/yaml</code> <code class="notranslate">Inline</code> class, which does not show up in the composer <code class="notranslate">require</code> section.</p>
<p dir="auto">Here is a <a href="https://gist.github.com/calinpristavu/d397d64a41c8f2860707">gist</a> with the proof of error. Steps to reproduce:</p>
<ol dir="auto">
<li>require only the config component</li>
<li>run the code in the gist</li>
</ol>
<p dir="auto">In order to solve this, we need to tightly couple the <code class="notranslate">symfony/config</code> component to <code class="notranslate">symfony/yaml</code> or duplicate the <code class="notranslate">Inline::dump()</code> functionality used <a href="https://github.com/symfony/symfony/blob/master/src/Symfony/Component/Config/Definition/Dumper/YamlReferenceDumper.php#L96">here</a> and <a href="https://github.com/symfony/symfony/blob/master/src/Symfony/Component/Config/Definition/Dumper/YamlReferenceDumper.php#L110">here</a> (which is definetly not a good idea IMO).</p>
<p dir="auto">I wanted to make a PR only on the <a href="http://www.github.com/symfony/config">Config component</a> but that one is marked as read-only and add <code class="notranslate">symfony/yaml</code> to the config components <code class="notranslate">config.json</code> require section.</p>
<p dir="auto">Should I make a PR here and add the dependency to the configs <code class="notranslate">composer.json</code> or in the dedicated repo?</p> | 0 |
<h1 dir="auto">Environment</h1>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Windows build number: Microsoft Windows [Version 10.0.18363.900]
PowerToys version: v0.19.0
PowerToy module for which you are reporting the bug (if applicable): PowerToys Run"><pre class="notranslate"><code class="notranslate">Windows build number: Microsoft Windows [Version 10.0.18363.900]
PowerToys version: v0.19.0
PowerToy module for which you are reporting the bug (if applicable): PowerToys Run
</code></pre></div>
<h1 dir="auto">Steps to reproduce</h1>
<ol dir="auto">
<li>Disable PowerToys Run.</li>
<li>Press ALT+SPACE.</li>
</ol>
<h1 dir="auto">Expected behavior</h1>
<p dir="auto">Nothing happens because PowerToys Run isn't enabled.</p>
<h1 dir="auto">Actual behavior</h1>
<p dir="auto">The PowerToys Run pop up appears.</p> | <h1 dir="auto">Environment</h1>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Windows build number: 2004 (build 19041.329)
PowerToys version: current master (0.19 RC)
PowerToy module for which you are reporting the bug (if applicable): PT Run"><pre class="notranslate"><code class="notranslate">Windows build number: 2004 (build 19041.329)
PowerToys version: current master (0.19 RC)
PowerToy module for which you are reporting the bug (if applicable): PT Run
</code></pre></div>
<h1 dir="auto">Steps to reproduce</h1>
<p dir="auto">Restart PT as administrator<br>
Turn off PT Run</p>
<h1 dir="auto">Expected behavior</h1>
<p dir="auto"><code class="notranslate">PowerLauncher.exe</code> should exit</p>
<h1 dir="auto">Actual behavior</h1>
<p dir="auto"><code class="notranslate">PowerLauncher.exe</code> doesn't exit</p> | 1 |
<p dir="auto">[Enter steps to reproduce below:]</p>
<ol dir="auto">
<li>close atom</li>
<li>open atom</li>
</ol>
<p dir="auto"><strong>Atom Version</strong>: 0.172.0<br>
<strong>System</strong>: Mac OS X 10.10.2<br>
<strong>Thrown From</strong>: Atom Core</p>
<h3 dir="auto">Stack Trace</h3>
<p dir="auto">Uncaught Error: ENOENT, open 'undefined//Users/jovanalleyne/Documents/Projects/node-project/project.json'</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="At fs.js:75
Error: ENOENT, open 'undefined//Users/jovanalleyne/Documents/Projects/node-project/project.json'
at Error (native)
"><pre class="notranslate"><code class="notranslate">At fs.js:75
Error: ENOENT, open 'undefined//Users/jovanalleyne/Documents/Projects/node-project/project.json'
at Error (native)
</code></pre></div>
<h3 dir="auto">Commands</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=""><pre class="notranslate"><code class="notranslate"></code></pre></div>
<h3 dir="auto">Config</h3>
<div class="highlight highlight-source-json notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="{
"core": {
"disabledPackages": [
"tabs",
"tree-view"
]
},
"editor": {
"fontSize": 11,
"invisibles": {}
}
}"><pre class="notranslate">{
<span class="pl-ent">"core"</span>: {
<span class="pl-ent">"disabledPackages"</span>: [
<span class="pl-s"><span class="pl-pds">"</span>tabs<span class="pl-pds">"</span></span>,
<span class="pl-s"><span class="pl-pds">"</span>tree-view<span class="pl-pds">"</span></span>
]
},
<span class="pl-ent">"editor"</span>: {
<span class="pl-ent">"fontSize"</span>: <span class="pl-c1">11</span>,
<span class="pl-ent">"invisibles"</span>: {}
}
}</pre></div>
<h3 dir="auto">Installed Packages</h3>
<div class="highlight highlight-source-coffee notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="# User
Sublime-Style-Column-Selection, v1.1.3
coffee-compile, v0.8.4
color-picker, v1.2.6
git-log, v0.2.0
highlight-selected, v0.6.3
language-jade, v0.3.0
language-nginx, v0.4.0
linter, v0.9.0
linter-less, v0.3.1
minimap, v3.4.7
minimap-find-and-replace, v3.0.4
minimap-git-diff, v3.0.11
minimap-highlight-selected, v3.0.0
minimap-selection, v3.0.1
pretty-json, v0.3.1
quick-move-file, v0.7.0
recent-files, v0.3.0
save-session, v0.11.0
sublime-tabs, v0.4.8
travis-ci-status, v0.11.0
# Dev
No dev packages"><pre class="notranslate"><span class="pl-c"><span class="pl-c">#</span> User</span>
Sublime<span class="pl-k">-</span>Style<span class="pl-k">-</span>Column<span class="pl-k">-</span>Selection, v1.<span class="pl-ii">1</span>.<span class="pl-ii">3</span>
coffee<span class="pl-k">-</span>compile, v0.<span class="pl-ii">8</span>.<span class="pl-ii">4</span>
color<span class="pl-k">-</span>picker, v1.<span class="pl-ii">2</span>.<span class="pl-ii">6</span>
git<span class="pl-k">-</span>log, v0.<span class="pl-ii">2</span>.<span class="pl-ii">0</span>
highlight<span class="pl-k">-</span>selected, v0.<span class="pl-ii">6</span>.<span class="pl-ii">3</span>
language<span class="pl-k">-</span>jade, v0.<span class="pl-ii">3</span>.<span class="pl-ii">0</span>
language<span class="pl-k">-</span>nginx, v0.<span class="pl-ii">4</span>.<span class="pl-ii">0</span>
linter, v0.<span class="pl-ii">9</span>.<span class="pl-ii">0</span>
linter<span class="pl-k">-</span>less, v0.<span class="pl-ii">3</span>.<span class="pl-ii">1</span>
minimap, v3.<span class="pl-ii">4</span>.<span class="pl-ii">7</span>
minimap<span class="pl-k">-</span>find<span class="pl-k">-</span><span class="pl-k">and</span><span class="pl-k">-</span>replace, v3.<span class="pl-ii">0</span>.<span class="pl-ii">4</span>
minimap<span class="pl-k">-</span>git<span class="pl-k">-</span>diff, v3.<span class="pl-ii">0</span>.<span class="pl-ii">11</span>
minimap<span class="pl-k">-</span>highlight<span class="pl-k">-</span>selected, v3.<span class="pl-ii">0</span>.<span class="pl-ii">0</span>
minimap<span class="pl-k">-</span>selection, v3.<span class="pl-ii">0</span>.<span class="pl-ii">1</span>
pretty<span class="pl-k">-</span>json, v0.<span class="pl-ii">3</span>.<span class="pl-ii">1</span>
quick<span class="pl-k">-</span>move<span class="pl-k">-</span>file, v0.<span class="pl-ii">7</span>.<span class="pl-ii">0</span>
recent<span class="pl-k">-</span>files, v0.<span class="pl-ii">3</span>.<span class="pl-ii">0</span>
save<span class="pl-k">-</span>session, v0.<span class="pl-ii">11</span>.<span class="pl-ii">0</span>
sublime<span class="pl-k">-</span>tabs, v0.<span class="pl-ii">4</span>.<span class="pl-ii">8</span>
travis<span class="pl-k">-</span>ci<span class="pl-k">-</span>status, v0.<span class="pl-ii">11</span>.<span class="pl-ii">0</span>
<span class="pl-c"><span class="pl-c">#</span> Dev</span>
<span class="pl-en">No</span> <span class="pl-en">dev</span> packages</pre></div> | <p dir="auto"><em>From <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/SimyungYang/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/SimyungYang">@SimyungYang</a> on January 6, 2015 0:47</em></p>
<p dir="auto">[Enter steps to reproduce below:]</p>
<ol dir="auto">
<li>start an atom editor with save-session plugin on</li>
<li>save action might cause this error</li>
</ol>
<p dir="auto"><strong>Atom Version</strong>: 0.166.0<br>
<strong>System</strong>: Mac OS X 10.10.1<br>
<strong>Thrown From</strong>: Atom Core</p>
<h3 dir="auto">Stack Trace</h3>
<p dir="auto">Uncaught Error: ENOENT, open 'undefined//Users/alopex/.atom/project.json'</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="At fs.js:75
Error: ENOENT, open 'undefined//Users/alopex/.atom/project.json'
at Error (native)
"><pre class="notranslate"><code class="notranslate">At fs.js:75
Error: ENOENT, open 'undefined//Users/alopex/.atom/project.json'
at Error (native)
</code></pre></div>
<h3 dir="auto">Commands</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=""><pre class="notranslate"><code class="notranslate"></code></pre></div>
<h3 dir="auto">Config</h3>
<div class="highlight highlight-source-json notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="{
"core": {
"disabledPackages": [
"npm-install",
"save-session"
],
"themes": [
"atom-dark-ui",
"base16-tomorrow-dark-theme"
]
},
"editor": {
"fontSize": 14,
"invisibles": {}
}
}"><pre class="notranslate">{
<span class="pl-ent">"core"</span>: {
<span class="pl-ent">"disabledPackages"</span>: [
<span class="pl-s"><span class="pl-pds">"</span>npm-install<span class="pl-pds">"</span></span>,
<span class="pl-s"><span class="pl-pds">"</span>save-session<span class="pl-pds">"</span></span>
],
<span class="pl-ent">"themes"</span>: [
<span class="pl-s"><span class="pl-pds">"</span>atom-dark-ui<span class="pl-pds">"</span></span>,
<span class="pl-s"><span class="pl-pds">"</span>base16-tomorrow-dark-theme<span class="pl-pds">"</span></span>
]
},
<span class="pl-ent">"editor"</span>: {
<span class="pl-ent">"fontSize"</span>: <span class="pl-c1">14</span>,
<span class="pl-ent">"invisibles"</span>: {}
}
}</pre></div>
<h3 dir="auto">Installed Packages</h3>
<div class="highlight highlight-source-coffee notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="# User
color-picker, v1.2.6
linter, v0.9.1
minimap, v3.5.0
save-session, v0.11.2
npm-install, v2.0.0
# Dev
No dev packages"><pre class="notranslate"><span class="pl-c"><span class="pl-c">#</span> User</span>
color<span class="pl-k">-</span>picker, v1.<span class="pl-ii">2</span>.<span class="pl-ii">6</span>
linter, v0.<span class="pl-ii">9</span>.<span class="pl-ii">1</span>
minimap, v3.<span class="pl-ii">5</span>.<span class="pl-ii">0</span>
save<span class="pl-k">-</span>session, v0.<span class="pl-ii">11</span>.<span class="pl-ii">2</span>
npm<span class="pl-k">-</span>install, v2.<span class="pl-ii">0</span>.<span class="pl-ii">0</span>
<span class="pl-c"><span class="pl-c">#</span> Dev</span>
<span class="pl-en">No</span> <span class="pl-en">dev</span> packages</pre></div>
<p dir="auto"><em>Copied from original issue: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="53467439" data-permission-text="Title is private" data-url="https://github.com/atom/atom/issues/4854" data-hovercard-type="issue" data-hovercard-url="/atom/atom/issues/4854/hovercard" href="https://github.com/atom/atom/issues/4854">atom/atom#4854</a></em></p> | 1 |
<p dir="auto"><strong>I'm submitting a ...</strong> (check one with "x")</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[x] bug report => search github for a similar issue or PR before submitting
[ ] feature request
[ ] support request => Please do not submit support request here, instead see https://github.com/angular/angular/blob/master/CONTRIBUTING.md#question"><pre class="notranslate"><code class="notranslate">[x] bug report => search github for a similar issue or PR before submitting
[ ] feature request
[ ] support request => Please do not submit support request here, instead see https://github.com/angular/angular/blob/master/CONTRIBUTING.md#question
</code></pre></div>
<p dir="auto"><strong>Current behavior</strong><br>
When using Location.back() to navigate inside a router-outlet, ngOnInit() is called twice for sibling components of routerLinkActive directives.</p>
<p dir="auto"><strong>Expected behavior</strong><br>
ngOnInit() isn't called twice.</p>
<p dir="auto"><strong>Minimal reproduction of the problem with instructions</strong></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="<example-parent>
<a routerLink="/path/to/next/component" routerLinkActive="link-active">NAVIGATE</a>
<example-child>
<!-- ngOnInit() called twice! -->
</example-child>
<example-child>
<!-- ngOnInit() called twice! -->
</example-child>
</example-parent>"><pre class="notranslate"><code class="notranslate"><example-parent>
<a routerLink="/path/to/next/component" routerLinkActive="link-active">NAVIGATE</a>
<example-child>
<!-- ngOnInit() called twice! -->
</example-child>
<example-child>
<!-- ngOnInit() called twice! -->
</example-child>
</example-parent>
</code></pre></div>
<p dir="auto">I've narrowed down the cause of this issue, but am not aware of the impact of either removing the line or changing the method called to a more <em>appropriate</em> one...</p>
<p dir="auto"><a href="https://github.com/angular/angular/blob/master/modules/%40angular/router/src/directives/router_link_active.ts?line132#L132">CONSIDER REPLACING DETECTCHANGES WITH MARKFORCHECK</a></p>
<p dir="auto"><strong>What is the motivation / use case for changing the behavior?</strong></p>
<p dir="auto">ngOnInit() should be called once, when initializing the component.</p>
<p dir="auto"><strong>Please tell us about your environment:</strong> Windows 7, VS2015, NPM.</p>
<ul dir="auto">
<li><strong>Angular version:</strong> 2.4.6</li>
</ul>
<ul dir="auto">
<li><strong>Browser:</strong> All</li>
</ul>
<ul dir="auto">
<li>
<p dir="auto"><strong>Language:</strong> All</p>
</li>
<li>
<p dir="auto"><strong>Node (for AoT issues):</strong> <code class="notranslate">node --version</code> = 6.3.1</p>
</li>
</ul> | <p dir="auto"><strong>I'm submitting a ...</strong></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[x] bug report => search github for a similar issue or PR before submitting
[ ] feature request
[ ] support request => Please do not submit support request here, instead see https://github.com/angular/angular/blob/master/CONTRIBUTING.md#question"><pre class="notranslate"><code class="notranslate">[x] bug report => search github for a similar issue or PR before submitting
[ ] feature request
[ ] support request => Please do not submit support request here, instead see https://github.com/angular/angular/blob/master/CONTRIBUTING.md#question
</code></pre></div>
<p dir="auto"><strong>Current behavior</strong></p>
<p dir="auto">Following code:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="<div *ngIf="currentUser !== null" class="...">
<div id="notifications">
<core-toasts></core-toasts>
</div>
...
<li *ngFor="let moduleTab of moduleTabs" [routerLinkActive]="['active']">
<a [routerLink]="moduleTab.id ? moduleTab.route + '/' + moduleTab.id : moduleTab.route" [routerLinkActive]="['active']">
<span>...</span>
</a>
</li>
...
</div>"><pre class="notranslate"><code class="notranslate"><div *ngIf="currentUser !== null" class="...">
<div id="notifications">
<core-toasts></core-toasts>
</div>
...
<li *ngFor="let moduleTab of moduleTabs" [routerLinkActive]="['active']">
<a [routerLink]="moduleTab.id ? moduleTab.route + '/' + moduleTab.id : moduleTab.route" [routerLinkActive]="['active']">
<span>...</span>
</a>
</li>
...
</div>
</code></pre></div>
<p dir="auto">...leads to the effect, that all contained component's ngOnInit hooks (e.g. the core-toast's) are running multiple times, even though the currentUser is set from null to a value only once. The ngOnDestroy is NOT executed, so all components seem to stay alive.</p>
<p dir="auto">The currentUser is a private variable in the component which is set by an RxJs Observable (coming from Angular-Meteor, patched into the zone via zone.run).</p>
<p dir="auto">When I remove ONLY the [routerLinkActive]="['active']" directive, everything works as expected.</p>
<p dir="auto">As a workaround I'm currently using [hidden] instead of the *ngIf, but of course I would prefer to remove the DOM while not displayed.</p>
<p dir="auto"><strong>Expected behavior</strong></p>
<p dir="auto">ngOnInit of all contained components only running once per ngIf expression change to true and ngOnDestroy running once on expression changed to false.</p>
<p dir="auto"><strong>Please tell us about your environment:</strong></p>
<p dir="auto">Using Angular 2, Angular-Meteor, WebStorm, NPM</p>
<ul dir="auto">
<li><strong>Angular version:</strong> 2.4.5</li>
</ul>
<ul dir="auto">
<li><strong>Browser:</strong></li>
</ul>
<p dir="auto">Chrome 55.0.2883.87</p>
<ul dir="auto">
<li><strong>Language:</strong><br>
Typescript 2.1.5<br>
ES5</li>
</ul> | 1 |
<p dir="auto"><strong>Apache Airflow version</strong>: 1.10.10</p>
<p dir="auto"><strong>Kubernetes version</strong>: 1.15.11</p>
<ul dir="auto">
<li><strong>Cloud provider</strong>: Google Cloud</li>
</ul>
<p dir="auto"><strong>What happened</strong>:</p>
<p dir="auto">After switching DAGs serialization on, "State" column in UI shows HTML code for all DAGs on the "Dag Runs" page. "Task Instances" page works fine.<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/57914365/81667874-85b6da80-944c-11ea-9704-49cc6c553f48.png"><img src="https://user-images.githubusercontent.com/57914365/81667874-85b6da80-944c-11ea-9704-49cc6c553f48.png" alt="image" style="max-width: 100%;"></a></p>
<p dir="auto"><strong>What you expected to happen</strong>:</p>
<p dir="auto">"State" column should not show HTML code.</p>
<p dir="auto"><strong>How to reproduce it</strong>:<br>
Switch serialization on using env var AIRFLOW__CORE__STORE_SERIALIZED_DAGS=true. Then open the "Dag Runs" page.</p> | <p dir="auto"><strong>Apache Airflow version</strong>: 1.10.10</p>
<p dir="auto"><strong>Environment</strong>:</p>
<p dir="auto">Docker image <a href="https://github.com/docker-library/python/blob/b818e9441c088295165edf79a791503f1fe7f6f7/3.7/buster/slim/Dockerfile">python:3.7-slim</a>.</p>
<p dir="auto"><strong>How to reproduce it</strong>:</p>
<p dir="auto">Navigate to <code class="notranslate">/admin/dagrun/</code>.</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/399059/81069421-2273f800-8ee2-11ea-8346-3e74d289607b.png"><img width="960" alt="Screenshot 2020-05-05 at 15 05 26" src="https://user-images.githubusercontent.com/399059/81069421-2273f800-8ee2-11ea-8346-3e74d289607b.png" style="max-width: 100%;"></a></p>
<p dir="auto"><strong>Other</strong>:</p>
<p dir="auto">The web server returns HTML that consists of:</p>
<div class="highlight highlight-text-html-basic notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="<a
data-csrf=""
data-pk="1150737"
data-role="x-editable"
data-source="[{&#34;text&#34;: &#34;&#34;, &#34;value&#34;: &#34;__None&#34;}, {&#34;text&#34;: &#34;success&#34;, &#34;value&#34;: &#34;success&#34;}, {&#34;text&#34;: &#34;running&#34;, &#34;value&#34;: &#34;running&#34;}, {&#34;text&#34;: &#34;failed&#34;, &#34;value&#34;: &#34;failed&#34;}]"
data-type="select2"
data-url="./ajax/update/"
data-value="<span class="label" style="background-color:green;">success</span>"
href="#"
id="state"
name="state"
>
<span class="label" style="background-color:green;">success</span>
</a>"><pre class="notranslate"><span class="pl-kos"><</span><span class="pl-ent">a</span>
<span class="pl-c1">data-csrf</span>=""
<span class="pl-c1">data-pk</span>="<span class="pl-s">1150737</span>"
<span class="pl-c1">data-role</span>="<span class="pl-s">x-editable</span>"
<span class="pl-c1">data-source</span>="<span class="pl-s">[{&#34;text&#34;: &#34;&#34;, &#34;value&#34;: &#34;__None&#34;}, {&#34;text&#34;: &#34;success&#34;, &#34;value&#34;: &#34;success&#34;}, {&#34;text&#34;: &#34;running&#34;, &#34;value&#34;: &#34;running&#34;}, {&#34;text&#34;: &#34;failed&#34;, &#34;value&#34;: &#34;failed&#34;}]</span>"
<span class="pl-c1">data-type</span>="<span class="pl-s">select2</span>"
<span class="pl-c1">data-url</span>="<span class="pl-s">./ajax/update/</span>"
<span class="pl-c1">data-value</span>="<span class="pl-s"><span class=</span>"<span class="pl-c1">label</span>" style="<span class="pl-s">background-color:green;</span>"<span class="pl-kos">></span>success<span class="pl-kos"></</span><span class="pl-ent">span</span><span class="pl-kos">></span>"
href="#"
id="state"
name="state"
<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">span</span> <span class="pl-c1">class</span>="<span class="pl-s">label</span>" <span class="pl-c1">style</span>="<span class="pl-s">background-color:green;</span>"<span class="pl-kos">></span>success<span class="pl-kos"></</span><span class="pl-ent">span</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span></pre></div>
<p dir="auto">Flask-Admin version is 1.5.4.<br>
After a brief investigation, the problem seems to be related to using HTML as a value for an editable widget.</p> | 1 |
<p dir="auto">Here is the illustrative example:</p>
<div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="fn foo() {
{ bar('}'); }
{ bar(']'); }
{ bar(')'); }
}"><pre class="notranslate"><span class="pl-k">fn</span> <span class="pl-en">foo</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-kos">{</span> <span class="pl-en">bar</span><span class="pl-kos">(</span><span class="pl-s">'}'</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span>
<span class="pl-kos">{</span> <span class="pl-en">bar</span><span class="pl-kos">(</span><span class="pl-s">']'</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span>
<span class="pl-kos">{</span> <span class="pl-en">bar</span><span class="pl-kos">(</span><span class="pl-s">')'</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span>
<span class="pl-kos">}</span></pre></div>
<p dir="auto">The characters within <code class="notranslate">'</code> characters above are incorrectly treated by <code class="notranslate">src/etc/rust-mode.el</code> as closing the opening paren of the invocation of <code class="notranslate">bar</code>. This confuses Emacs in a number of ways (e.g. obviously paren matching; but also the auto-indentation gets confused too, which is more annoying).</p> | <p dir="auto">The new path code has a bunch of duplicate code between the posix and windows variants. It should be factored into material in the abstract Path trait, when default methods work.</p> | 0 |
<p dir="auto">by <strong>untheoretic</strong>:</p>
<pre class="notranslate">Please find a reasonable way to transport things that can't be (principally) embedded in
the source code to some place where
they could be found.
An (sad) example would be a go-gtk based program that must have
a several non-go files for the gtk runtime.</pre> | <p dir="auto">There are many tools to embed static asset files into binaries:</p>
<ul dir="auto">
<li><a href="https://godoc.org/perkeep.org/pkg/fileembed" rel="nofollow">https://godoc.org/perkeep.org/pkg/fileembed</a> / perkeep.org/pkg/fileembed/genfileembed</li>
<li><a href="https://godoc.org/github.com/gobuffalo/packr" rel="nofollow">https://godoc.org/github.com/gobuffalo/packr</a></li>
<li><a href="https://godoc.org/github.com/knadh/stuffbin" rel="nofollow">https://godoc.org/github.com/knadh/stuffbin</a></li>
<li><a href="https://github.com/rakyll/statik">https://github.com/rakyll/statik</a></li>
<li>Bazel <a href="https://github.com/bazelbuild/rules_go/blob/master/go/extras.rst#go-embed-data">go_embed_data</a></li>
</ul>
<p dir="auto">Actually, <a href="https://tech.townsourced.com/post/embedding-static-files-in-go/" rel="nofollow">https://tech.townsourced.com/post/embedding-static-files-in-go/</a> lists more:</p>
<ul dir="auto">
<li>vfsgen - <a href="https://github.com/shurcooL/vfsgen">https://github.com/shurcooL/vfsgen</a></li>
<li>go.rice - <a href="https://github.com/GeertJohan/go.rice">https://github.com/GeertJohan/go.rice</a></li>
<li>statik - <a href="https://github.com/rakyll/statik">https://github.com/rakyll/statik</a></li>
<li>esc - <a href="https://github.com/mjibson/esc">https://github.com/mjibson/esc</a></li>
<li>go-embed - <a href="https://github.com/pyros2097/go-embed">https://github.com/pyros2097/go-embed</a></li>
<li>go-resources - <a href="https://github.com/omeid/go-resources">https://github.com/omeid/go-resources</a></li>
<li>statics - <a href="https://github.com/go-playground/statics">https://github.com/go-playground/statics</a></li>
<li>templify - <a href="https://github.com/wlbr/templify">https://github.com/wlbr/templify</a></li>
<li>gnoso/go-bindata - <a href="https://github.com/gnoso/go-bindata">https://github.com/gnoso/go-bindata</a></li>
<li>shuLhan/go-bindata - <a href="https://github.com/shuLhan/go-bindata">https://github.com/shuLhan/go-bindata</a></li>
<li>fileb0x - <a href="https://github.com/UnnoTed/fileb0x">https://github.com/UnnoTed/fileb0x</a></li>
<li>gobundle - <a href="https://github.com/alecthomas/gobundle">https://github.com/alecthomas/gobundle</a></li>
<li>parcello - <a href="https://github.com/phogolabs/parcello">https://github.com/phogolabs/parcello</a></li>
</ul>
<h2 dir="auto">Proposal</h2>
<p dir="auto">I think it's time to do this well once & reduce duplication, adding official support for embedding file resources into the cmd/go tool.</p>
<h2 dir="auto">Problems with the current situation:</h2>
<ul dir="auto">
<li>There are too many tools</li>
<li>Using a go:generate-based solution bloats the git history with a second (and slightly larger) copy of each file.</li>
<li>Not using go:generate means not being <code class="notranslate">go install</code>-able or making people write their own Makefiles, etc.</li>
</ul>
<h2 dir="auto">Goals:</h2>
<ul dir="auto">
<li>don't check in generated files</li>
<li>don't generate *.go files at all (at least not in user's workspace)</li>
<li>make <code class="notranslate">go install</code> / <code class="notranslate">go build</code> do the embedding automatically</li>
<li>let user choose per file/glob which type of access is needed (e.g. []byte, <code class="notranslate">func() io.Reader</code>, <code class="notranslate">io.ReaderAt</code>, etc)</li>
<li>Maybe store assets compressed in the binary where appropriate (e.g. if user only needs an <code class="notranslate">io.Reader</code>)? (<strong>edit</strong>: but probably not; see comments below)</li>
<li><strong>No code execution at compilation time</strong>; that is a long-standing Go policy. <code class="notranslate">go build</code> or <code class="notranslate">go install</code> can not run arbitrary code, just like <code class="notranslate">go:generate</code> doesn't run automatically at install time.</li>
</ul>
<p dir="auto">The two main implementation approaches are <code class="notranslate">//go:embed Logo logo.jpg</code> or a well-known package (<code class="notranslate">var Logo = embed.File("logo.jpg")</code>).</p>
<h2 dir="auto">go:embed approach</h2>
<p dir="auto">For a <code class="notranslate">go:embed</code> approach, one might say that any <code class="notranslate">go/build</code>-selected <code class="notranslate">*.go</code> file can contain something like:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="//go:embed Logo logo.jpg"><pre class="notranslate"><code class="notranslate">//go:embed Logo logo.jpg
</code></pre></div>
<p dir="auto">Which, say, compiles to:</p>
<div class="highlight highlight-source-go notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="func Logo() *io.SectionReader"><pre class="notranslate"><span class="pl-k">func</span> <span class="pl-en">Logo</span>() <span class="pl-c1">*</span>io.<span class="pl-smi">SectionReader</span></pre></div>
<p dir="auto">(adding a dependency to the <code class="notranslate">io</code> package)</p>
<p dir="auto">Or:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="//go:embedglob Assets assets/*.css assets/*.js"><pre class="notranslate"><code class="notranslate">//go:embedglob Assets assets/*.css assets/*.js
</code></pre></div>
<p dir="auto">compiling to, say:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="var Assets interface{
Files() []string
Open func(name string) *io.SectionReader
} = runtime.EmbedAsset(123)"><pre class="notranslate"><code class="notranslate">var Assets interface{
Files() []string
Open func(name string) *io.SectionReader
} = runtime.EmbedAsset(123)
</code></pre></div>
<p dir="auto">Obviously this isn't fully fleshed out. There'd need to be something for compressed files too that yield only an <code class="notranslate">io.Reader</code>.</p>
<h2 dir="auto">embed package approach</h2>
<p dir="auto">The other high-level approach is to not have a magic <code class="notranslate">//go:embed</code> syntax and instead just let users write Go code in some new <code class="notranslate">"embed"</code> or <code class="notranslate">"golang.org/x/foo/embed"</code> package:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="var Static = embed.Dir("static")
var Logo = embed.File("images/logo.jpg")
var Words = embed.CompressedReader("dict/words")"><pre class="notranslate"><code class="notranslate">var Static = embed.Dir("static")
var Logo = embed.File("images/logo.jpg")
var Words = embed.CompressedReader("dict/words")
</code></pre></div>
<p dir="auto">Then have cmd/go recognize the calls to embed.Foo("foo/*.js") etc and glob do the work in cmd/go, rather than at runtime. Or maybe certain build tags or flags could make it fall back to doing things at runtime instead. Perkeep (linked above) has such a mode, which is nice to speed up incremental development where you don't care about linking one big binary.</p>
<h2 dir="auto">Concerns</h2>
<ul dir="auto">
<li>Pick a style (//go:embed* vs a magic package).</li>
<li>Block certain files?
<ul dir="auto">
<li>Probably block embedding <code class="notranslate">../../../../../../../../../../etc/shadow</code></li>
<li>Maybe block reaching into <code class="notranslate">.git</code> too</li>
</ul>
</li>
</ul> | 1 |
<h1 dir="auto">Feature request</h1>
<h2 dir="auto">Is your feature request related to a problem? Please describe.</h2>
<p dir="auto">I'd like to have multiple levels of nested layout.</p>
<p dir="auto">For example, the following directory structure:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="+ pages/
- index.js
+ users
- index.js
+ [id]
- posts.js
- orders.js
- about.js"><pre class="notranslate"><code class="notranslate">+ pages/
- index.js
+ users
- index.js
+ [id]
- posts.js
- orders.js
- about.js
</code></pre></div>
<p dir="auto">The home page,users page and about page have the same main layout, and ths user's posts and orders page have the same sub layout.</p>
<h2 dir="auto">Describe the solution you'd like</h2>
<p dir="auto">When there is _layout.js in the directory, a nested route will be generated, with _layout.js as the layout of the directory.</p>
<p dir="auto">For example, the following directory structure:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="+ pages/
- _layout.js
- index.js
+ users
- index.js
+ [id]
- _layout.js
- posts.js
- orders.js
- about.js"><pre class="notranslate"><code class="notranslate">+ pages/
- _layout.js
- index.js
+ users
- index.js
+ [id]
- _layout.js
- posts.js
- orders.js
- about.js
</code></pre></div>
<p dir="auto">The layout file returning a React component, and rendering the child components via props.children.It also has static function getInitialProps. The layout and page can load data at the same time when the page loads,</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="/* _layout.js */
const Layout = (props) => (
<>
<Header />
{ props.children }
<Footer />
</>
);
Layout.getInitialProps = async (context) => {
return {}
}
export default Layout"><pre class="notranslate"><code class="notranslate">/* _layout.js */
const Layout = (props) => (
<>
<Header />
{ props.children }
<Footer />
</>
);
Layout.getInitialProps = async (context) => {
return {}
}
export default Layout
</code></pre></div>
<h2 dir="auto">Describe alternatives you've considered</h2>
<p dir="auto">A clear and concise description of any alternative solutions or features you've considered.</p>
<h2 dir="auto">Additional context</h2>
<p dir="auto">Add any other context or screenshots about the feature request here.</p> | <p dir="auto">On Safari the page loads and subsequent transition gives fails giving an error in dev console "No router instance found. You should only use "next/router" inside the client side of your app."</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/237741/27828723-feed00e8-60bd-11e7-9d1c-3ac815b16bd5.png"><img src="https://user-images.githubusercontent.com/237741/27828723-feed00e8-60bd-11e7-9d1c-3ac815b16bd5.png" alt="screen shot 2017-07-04 at 1 34 49 pm" style="max-width: 100%;"></a></p>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/zeit/next.js/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h2 dir="auto">Expected Behavior</h2>
<p dir="auto">Page transition</p>
<h2 dir="auto">Current Behavior</h2>
<p dir="auto">Failure to transition page</p>
<h2 dir="auto">Steps to Reproduce (for bugs)</h2>
<ol dir="auto">
<li>Load page</li>
<li>Click link</li>
</ol>
<h2 dir="auto">Context</h2>
<h2 dir="auto">Your Environment</h2>
<ul dir="auto">
<li>Next.js version: next.js v2.4.6</li>
<li>Environment name and version (e.g. Chrome 39, Node.js 5.4): Safari / Node 7.2</li>
<li>Operating System (Linux, maxOS, Windows): OSX</li>
</ul> | 0 |
<p dir="auto">deno builin module manager (dmm)</p>
<p dir="auto">we know : no need to install js module like in node (npm i ..) when running js/ts code using deno, deno will fetch the module and cach it (if not done) then run it but this don't mean no need for module built in for deno, I think to take real advantage of esm we need subcommand in deno cli : deno dmm<br>
I imagin :<br>
deno dmm update url1 url2<br>
this will update all url1 ( old version ) used in any js/ts in the current directory to url2 ( new version ).<br>
deno dmm outdate<br>
show package need to be updated<br>
...<br>
this will make 90% of your code reutisable in other project and copy-past friendly, I mean we can copy one file content and use it other project without need to declare used module in import_map and without need to have import_map for orginize our modules.</p> | <p dir="auto">Since <code class="notranslate">1.31.2</code> it seems like files in <code class="notranslate">types/</code> are included twice when including using <code class="notranslate">compilerOptions.types</code> in <code class="notranslate">deno.json</code>. First they're checked with <code class="notranslate">.d.ts</code> ending, then with <code class="notranslate">.d.ts.d.ts</code> ending (which wierdly enough works, even though the files does not exist). Then type checker complains that everything in the files are already declared.</p>
<h3 dir="auto">Minimal steps to reproduce</h3>
<p dir="auto">Content of <strong>deno.json</strong></p>
<div class="highlight highlight-source-json notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="{
"compilerOptions": {
"types": [
"./types/wat.d.ts"
]
}
}"><pre class="notranslate">{
<span class="pl-ent">"compilerOptions"</span>: {
<span class="pl-ent">"types"</span>: [
<span class="pl-s"><span class="pl-pds">"</span>./types/wat.d.ts<span class="pl-pds">"</span></span>
]
}
}</pre></div>
<p dir="auto">Content of <strong>types/wat.d.ts</strong></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="declare class wat {
static wat(): void;
}"><pre class="notranslate"><code class="notranslate">declare class wat {
static wat(): void;
}
</code></pre></div>
<p dir="auto">Content of <strong>main.ts</strong></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="console.log("Hello world!");"><pre class="notranslate"><code class="notranslate">console.log("Hello world!");
</code></pre></div>
<p dir="auto"><strong>Outcome</strong></p>
<p dir="auto">Running <code class="notranslate">deno check main.ts</code></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="TS2300 [ERROR]: Duplicate identifier 'wat'.
declare class wat {
~~~
at /typestest/types/wat.d.ts.d.ts:1:15
'wat' was also declared here.
declare class wat {
~~~
at /typestest/types/wat.d.ts:1:15"><pre class="notranslate"><code class="notranslate">TS2300 [ERROR]: Duplicate identifier 'wat'.
declare class wat {
~~~
at /typestest/types/wat.d.ts.d.ts:1:15
'wat' was also declared here.
declare class wat {
~~~
at /typestest/types/wat.d.ts:1:15
</code></pre></div>
<h3 dir="auto">Findings</h3>
<p dir="auto">Including types using the pattern <code class="notranslate">// @deno-types="../types/wat.d.ts"</code> instead of <code class="notranslate">deno.json: compilerOptions.types.wat</code> makes the problem go away.</p>
<p dir="auto">Possibly related to PR <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="1610107139" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/18026" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/18026/hovercard" href="https://github.com/denoland/deno/pull/18026">#18026</a></p>
<p dir="auto">Everything is ok in previous version <code class="notranslate">1.31.1</code></p>
<h3 dir="auto">Additional info</h3>
<p dir="auto"><strong>Platform:</strong> Windows 10 / Powershell / VS Code / Deno 1.31.2</p> | 0 |
<p dir="auto"><code class="notranslate">scipy.ndimage.measurements.label()</code> has the following lines:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" # Use 32 bits if it's large enough for this image.
# _ni_label.label() needs two entries for background and
# foreground tracking
need_64bits = input.size < (2**31 - 2)"><pre class="notranslate"><code class="notranslate"> # Use 32 bits if it's large enough for this image.
# _ni_label.label() needs two entries for background and
# foreground tracking
need_64bits = input.size < (2**31 - 2)
</code></pre></div>
<p dir="auto">I think that <code class="notranslate"><</code> should be replaced with <code class="notranslate">>=</code>.</p> | <p dir="auto">Not sure if this is a bug more an additional check / documentation issue but <code class="notranslate">interpolate.interp1d</code> gives an unexpected results with non-monotonic x data e.g. <code class="notranslate">x=[1, 2, 2, 3], y=[1, 2, 3, 4]</code> using the defaults. Trying the same with any of the spline methods raises an error (<code class="notranslate">ValueError: Expect x to not have duplicates</code>) I would expect the same behaviour from 'linear' rather than returning values?</p>
<h4 dir="auto">Reproducing code example:</h4>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="from scipy.interpolate import interp1d
x = [1, 2, 2, 3]
y = [1, 2, 3, 4]
my_interp = interp1d(x, y)
res = my_interp(x)
print(y, res)
#my_interp = interp1d(x, y, 'cubic') raises ValueError
from matplotlib import pyplot as plt
plt.plot(x, y, '-k.', label='Original')
plt.plot(x, out, '--rx', label='Interpolated')
plt.legend()"><pre class="notranslate"><span class="pl-k">from</span> <span class="pl-s1">scipy</span>.<span class="pl-s1">interpolate</span> <span class="pl-k">import</span> <span class="pl-s1">interp1d</span>
<span class="pl-s1">x</span> <span class="pl-c1">=</span> [<span class="pl-c1">1</span>, <span class="pl-c1">2</span>, <span class="pl-c1">2</span>, <span class="pl-c1">3</span>]
<span class="pl-s1">y</span> <span class="pl-c1">=</span> [<span class="pl-c1">1</span>, <span class="pl-c1">2</span>, <span class="pl-c1">3</span>, <span class="pl-c1">4</span>]
<span class="pl-s1">my_interp</span> <span class="pl-c1">=</span> <span class="pl-en">interp1d</span>(<span class="pl-s1">x</span>, <span class="pl-s1">y</span>)
<span class="pl-s1">res</span> <span class="pl-c1">=</span> <span class="pl-en">my_interp</span>(<span class="pl-s1">x</span>)
<span class="pl-en">print</span>(<span class="pl-s1">y</span>, <span class="pl-s1">res</span>)
<span class="pl-c">#my_interp = interp1d(x, y, 'cubic') raises ValueError</span>
<span class="pl-k">from</span> <span class="pl-s1">matplotlib</span> <span class="pl-k">import</span> <span class="pl-s1">pyplot</span> <span class="pl-k">as</span> <span class="pl-s1">plt</span>
<span class="pl-s1">plt</span>.<span class="pl-en">plot</span>(<span class="pl-s1">x</span>, <span class="pl-s1">y</span>, <span class="pl-s">'-k.'</span>, <span class="pl-s1">label</span><span class="pl-c1">=</span><span class="pl-s">'Original'</span>)
<span class="pl-s1">plt</span>.<span class="pl-en">plot</span>(<span class="pl-s1">x</span>, <span class="pl-s1">out</span>, <span class="pl-s">'--rx'</span>, <span class="pl-s1">label</span><span class="pl-c1">=</span><span class="pl-s">'Interpolated'</span>)
<span class="pl-s1">plt</span>.<span class="pl-en">legend</span>()</pre></div>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/24570854/91542020-1ab6e400-e915-11ea-9821-f22f47c58688.png"><img src="https://user-images.githubusercontent.com/24570854/91542020-1ab6e400-e915-11ea-9821-f22f47c58688.png" alt="iterp_issue" style="max-width: 100%;"></a></p>
<h4 dir="auto">Scipy/Numpy/Python version information:</h4>
<p dir="auto">1.5.2 1.19.1 sys.version_info(major=3, minor=7, micro=0, releaselevel='final', serial=0)</p> | 0 |
<h2 dir="auto">Bug Report</h2>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I would like to work on a fix!<br>
i would but laziness you know</li>
</ul>
<p dir="auto"><strong>Current behavior</strong><br>
In the newly released Webpack 5 (released 3 days ago as of writing this), for a lot of files that are required by webpack to work, you get the following error example:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="ERROR in ../node_modules/@babel/runtime/helpers/esm/toConsumableArray.js 4:0-52
Module not found: Error: Can't resolve './nonIterableSpread' in 'D:\projects\unfinished\app\a-guide\node_modules\@babel\runtime\helpers\esm'
Did you mean 'nonIterableSpread.js'?
BREAKING CHANGE: The request './nonIterableSpread' failed to resolve only because it was resolved as fully specified
(probably because the origin is a '*.mjs' file or a '*.js' file where the package.json contains '"type": "module"').
The extension in the request is mandatory for it to be fully specified.
Add the extension to the request.
@ ../node_modules/rc-table/es/Table.js 3:0-78 212:24-42 214:34-52
@ ../node_modules/antd/es/table/Table.js 9:0-51 405:19-33
@ ../node_modules/antd/es/table/index.js 1:0-28 2:15-20
@ ../node_modules/antd/es/index.js 56:0-43 56:0-43
@ dll library"><pre class="notranslate"><code class="notranslate">ERROR in ../node_modules/@babel/runtime/helpers/esm/toConsumableArray.js 4:0-52
Module not found: Error: Can't resolve './nonIterableSpread' in 'D:\projects\unfinished\app\a-guide\node_modules\@babel\runtime\helpers\esm'
Did you mean 'nonIterableSpread.js'?
BREAKING CHANGE: The request './nonIterableSpread' failed to resolve only because it was resolved as fully specified
(probably because the origin is a '*.mjs' file or a '*.js' file where the package.json contains '"type": "module"').
The extension in the request is mandatory for it to be fully specified.
Add the extension to the request.
@ ../node_modules/rc-table/es/Table.js 3:0-78 212:24-42 214:34-52
@ ../node_modules/antd/es/table/Table.js 9:0-51 405:19-33
@ ../node_modules/antd/es/table/index.js 1:0-28 2:15-20
@ ../node_modules/antd/es/index.js 56:0-43 56:0-43
@ dll library
</code></pre></div>
<ul dir="auto">
<li><a href="babeljs.io/repl">REPL</a>, <a href="https://codesandbox.io/s/babel-repl-custom-plugin-7s08o?file=/src/index.js" rel="nofollow">Codesandbox</a>, or GitHub Repo helps!</li>
</ul>
<p dir="auto"><strong>Input Code</strong></p>
<p dir="auto">No code is written, this occurs even in the most basic-est of webpack configurations (however mostly occurs in dlls)</p>
<p dir="auto"><strong>Expected behavior</strong><br>
The files should be compiled into webpack successfully</p>
<p dir="auto"><strong>Babel Configuration (babel.config.js, .babelrc, package.json#babel, cli command, .eslintrc)</strong></p>
<ul dir="auto">
<li>Filename: <code class="notranslate">babel.config.js</code></li>
</ul>
<p dir="auto">there is none</p>
<p dir="auto"><strong>Environment</strong></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=""><pre class="notranslate"><code class="notranslate">
</code></pre></div>
<ul dir="auto">
<li>Babel version(s): [e.g. v6.0.0, v7.0.0-beta.34] webpack's one</li>
<li>Node/npm version: [e.g. Node 8/npm 5] node 12.18.4/6.14.6 & 14.13.0/6.14.8</li>
<li>OS: [e.g. OSX 10.13.4, Windows 10] windows 10</li>
<li>Monorepo: [e.g. yes/no/Lerna] - dont know what that is so presumed not</li>
<li>How you are using Babel: [e.g. <code class="notranslate">cli</code>, <code class="notranslate">register</code>, <code class="notranslate">loader</code>] through webpack</li>
</ul>
<p dir="auto"><strong>Possible Solution</strong></p>
<p dir="auto"><strong>just add file extensions in your imports</strong></p>
<p dir="auto"><strong>Additional context</strong><br>
webpack broke a lot of files lmao</p> | <h2 dir="auto">Bug Report</h2>
<p dir="auto"><strong>Current Behavior</strong><br>
A clear and concise description of the behavior.<br>
When using Babel with <code class="notranslate">useBuiltIns: "usage"</code> and <code class="notranslate">corejs: 3</code> I am getting the error "Const must be initialized error" in IE 11. There is a for loop that uses const and I believe that is the cause here; it is not being transpiled correctly.</p>
<p dir="auto">Note: browserlist</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=""browserslist": "> 0.25%, not dead, ie >= 11","><pre class="notranslate"><code class="notranslate">"browserslist": "> 0.25%, not dead, ie >= 11",
</code></pre></div>
<p dir="auto">When I set debug in .babelrc I get the following:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="@babel/preset-env: `DEBUG` option
Using targets:
{
"android": "4.4.3",
"chrome": "49",
"edge": "17",
"firefox": "64",
"ie": "11",
"ios": "8",
"opera": "57",
"safari": "11.1",
"samsung": "4"
}
Using modules transform: auto
Using plugins:
transform-template-literals { "android":"4.4.3", "ie":"11", "ios":"8", "safari":"11.1" }
transform-literals { "android":"4.4.3", "ie":"11", "ios":"8" }
transform-function-name { "android":"4.4.3", "chrome":"49", "edge":"17", "ie":"11", "ios":"8", "samsung":"4" }
transform-arrow-functions { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-block-scoped-functions { "android":"4.4.3", "ios":"8" }
transform-classes { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-object-super { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-shorthand-properties { "android":"4.4.3", "ie":"11", "ios":"8" }
transform-duplicate-keys { "android":"4.4.3", "ie":"11", "ios":"8" }
transform-computed-properties { "android":"4.4.3", "ie":"11" }
transform-for-of { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
transform-sticky-regex { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-dotall-regex { "android":"4.4.3", "chrome":"49", "edge":"17", "firefox":"64", "ie":"11", "ios":"8", "samsung":"4" }
transform-unicode-regex { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "safari":"11.1", "samsung":"4" }
transform-spread { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-parameters { "android":"4.4.3", "edge":"17", "ie":"11", "ios":"8", "samsung":"4" }
transform-destructuring { "android":"4.4.3", "chrome":"49", "edge":"17", "ie":"11", "ios":"8", "samsung":"4" }
transform-block-scoping { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-typeof-symbol { "android":"4.4.3", "ie":"11", "ios":"8" }
transform-new-target { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-regenerator { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
transform-exponentiation-operator { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
transform-async-to-generator { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
proposal-async-generator-functions { "android":"4.4.3", "chrome":"49", "edge":"17", "ie":"11", "ios":"8", "safari":"11.1", "samsung":"4" }
proposal-object-rest-spread { "android":"4.4.3", "chrome":"49", "edge":"17", "ie":"11", "ios":"8", "samsung":"4" }
proposal-unicode-property-regex { "android":"4.4.3", "chrome":"49", "edge":"17", "firefox":"64", "ie":"11", "ios":"8", "samsung":"4" }
proposal-json-strings { "android":"4.4.3", "chrome":"49", "edge":"17", "ie":"11", "ios":"8", "safari":"11.1", "samsung":"4" }
proposal-optional-catch-binding { "android":"4.4.3", "chrome":"49", "edge":"17", "ie":"11", "ios":"8", "samsung":"4" }
transform-named-capturing-groups-regex { "android":"4.4.3", "chrome":"49", "edge":"17", "firefox":"64", "ie":"11", "ios":"8", "samsung":"4" }
Using polyfills with `usage` option:
[/Users/blakewilson/server/public/vidbg/src/vidbg.js] Added following core-js polyfills:
es.symbol { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
es.array.concat { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
es.array.filter { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
es.array.for-each { "ios":"8" }
es.object.define-property { "ios":"8" }
es.object.get-own-property-descriptor { "android":"4.4.3", "ie":"11", "ios":"8" }
es.object.keys { "android":"4.4.3", "ie":"11", "ios":"8" }
web.dom-collections.for-each { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }"><pre class="notranslate"><code class="notranslate">@babel/preset-env: `DEBUG` option
Using targets:
{
"android": "4.4.3",
"chrome": "49",
"edge": "17",
"firefox": "64",
"ie": "11",
"ios": "8",
"opera": "57",
"safari": "11.1",
"samsung": "4"
}
Using modules transform: auto
Using plugins:
transform-template-literals { "android":"4.4.3", "ie":"11", "ios":"8", "safari":"11.1" }
transform-literals { "android":"4.4.3", "ie":"11", "ios":"8" }
transform-function-name { "android":"4.4.3", "chrome":"49", "edge":"17", "ie":"11", "ios":"8", "samsung":"4" }
transform-arrow-functions { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-block-scoped-functions { "android":"4.4.3", "ios":"8" }
transform-classes { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-object-super { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-shorthand-properties { "android":"4.4.3", "ie":"11", "ios":"8" }
transform-duplicate-keys { "android":"4.4.3", "ie":"11", "ios":"8" }
transform-computed-properties { "android":"4.4.3", "ie":"11" }
transform-for-of { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
transform-sticky-regex { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-dotall-regex { "android":"4.4.3", "chrome":"49", "edge":"17", "firefox":"64", "ie":"11", "ios":"8", "samsung":"4" }
transform-unicode-regex { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "safari":"11.1", "samsung":"4" }
transform-spread { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-parameters { "android":"4.4.3", "edge":"17", "ie":"11", "ios":"8", "samsung":"4" }
transform-destructuring { "android":"4.4.3", "chrome":"49", "edge":"17", "ie":"11", "ios":"8", "samsung":"4" }
transform-block-scoping { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-typeof-symbol { "android":"4.4.3", "ie":"11", "ios":"8" }
transform-new-target { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
transform-regenerator { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
transform-exponentiation-operator { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
transform-async-to-generator { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
proposal-async-generator-functions { "android":"4.4.3", "chrome":"49", "edge":"17", "ie":"11", "ios":"8", "safari":"11.1", "samsung":"4" }
proposal-object-rest-spread { "android":"4.4.3", "chrome":"49", "edge":"17", "ie":"11", "ios":"8", "samsung":"4" }
proposal-unicode-property-regex { "android":"4.4.3", "chrome":"49", "edge":"17", "firefox":"64", "ie":"11", "ios":"8", "samsung":"4" }
proposal-json-strings { "android":"4.4.3", "chrome":"49", "edge":"17", "ie":"11", "ios":"8", "safari":"11.1", "samsung":"4" }
proposal-optional-catch-binding { "android":"4.4.3", "chrome":"49", "edge":"17", "ie":"11", "ios":"8", "samsung":"4" }
transform-named-capturing-groups-regex { "android":"4.4.3", "chrome":"49", "edge":"17", "firefox":"64", "ie":"11", "ios":"8", "samsung":"4" }
Using polyfills with `usage` option:
[/Users/blakewilson/server/public/vidbg/src/vidbg.js] Added following core-js polyfills:
es.symbol { "android":"4.4.3", "ie":"11", "ios":"8", "samsung":"4" }
es.array.concat { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
es.array.filter { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
es.array.for-each { "ios":"8" }
es.object.define-property { "ios":"8" }
es.object.get-own-property-descriptor { "android":"4.4.3", "ie":"11", "ios":"8" }
es.object.keys { "android":"4.4.3", "ie":"11", "ios":"8" }
web.dom-collections.for-each { "android":"4.4.3", "chrome":"49", "ie":"11", "ios":"8", "samsung":"4" }
</code></pre></div>
<p dir="auto">I noticed that every plugin has a browser target of IE 11 set except for <code class="notranslate">transform-block-scoped-functions</code>. You can see the browser targets are only <code class="notranslate">{ "android":"4.4.3", "ios":"8" }</code></p>
<p dir="auto"><strong>Input Code</strong></p>
<ul dir="auto">
<li>REPL or Repo link if applicable:<br>
You can view the repo here:<br>
<a href="https://github.com/blakewilson/vidbg/tree/v2">https://github.com/blakewilson/vidbg/tree/v2</a></li>
</ul>
<p dir="auto"><strong>Expected behavior/code</strong><br>
A clear and concise description of what you expected to happen (or code).<br>
The expected behavior is that Babel would correctly transpile block scoping for IE 11.</p>
<p dir="auto"><strong>Babel Configuration (.babelrc, package.json, cli command)</strong></p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="{
"presets": [
[
"@babel/preset-env",
{
"debug": true,
"useBuiltIns": "usage",
"corejs": 3,
}
]
],
"plugins": ["@babel/plugin-proposal-class-properties"]
}"><pre class="notranslate"><span class="pl-kos">{</span>
<span class="pl-s">"presets"</span>: <span class="pl-kos">[</span>
<span class="pl-kos">[</span>
<span class="pl-s">"@babel/preset-env"</span><span class="pl-kos">,</span>
<span class="pl-kos">{</span>
<span class="pl-s">"debug"</span>: <span class="pl-c1">true</span><span class="pl-kos">,</span>
<span class="pl-s">"useBuiltIns"</span>: <span class="pl-s">"usage"</span><span class="pl-kos">,</span>
<span class="pl-s">"corejs"</span>: <span class="pl-c1">3</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span>
<span class="pl-kos">]</span>
<span class="pl-kos">]</span><span class="pl-kos">,</span>
<span class="pl-s">"plugins"</span>: <span class="pl-kos">[</span><span class="pl-s">"@babel/plugin-proposal-class-properties"</span><span class="pl-kos">]</span>
<span class="pl-kos">}</span></pre></div>
<p dir="auto"><strong>Environment</strong></p>
<ul dir="auto">
<li>Babel version 7.4.0</li>
<li>node 11.9.0 npm 6.5.0</li>
<li>MacOS Mojave 10.14.3</li>
<li>Babel Loader / Webpack</li>
</ul>
<p dir="auto"><strong>Possible Solution</strong></p>
<p dir="auto"><strong>Additional context/Screenshots</strong><br>
Add any other context about the problem here. If applicable, add screenshots to help explain.<br>
Viewing the repo linked above should give a good idea of what is going on.</p>
<p dir="auto">Any context would be very appreciated! I have been stuck on this for quite a while.</p> | 0 |
<ul dir="auto">
<li>VSCode Version: 1.2.0 Insider</li>
<li>OS Version: Windows 10</li>
</ul>
<p dir="auto">Steps to Reproduce:</p>
<ol dir="auto">
<li>open the terminal panel</li>
<li>type some text</li>
<li>press Escape</li>
</ol>
<p dir="auto">What happens: the text is removed (that's expected), and the terminal panel is immediately closed (unexpected).</p> | <p dir="auto">Integrated terminal master issue: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="117735786" data-permission-text="Title is private" data-url="https://github.com/microsoft/vscode/issues/143" data-hovercard-type="issue" data-hovercard-url="/microsoft/vscode/issues/143/hovercard" href="https://github.com/microsoft/vscode/issues/143">#143</a></p>
<p dir="auto">Open question: Currently pressing <kbd>esc</kbd> will hide the terminal, this can be a problem for some terminal programs, for example <code class="notranslate">vim</code>. Perhaps this should be configurable?</p> | 1 |
<p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/scipy/ticket/1626" rel="nofollow">http://projects.scipy.org/scipy/ticket/1626</a> on 2012-03-22 by trac user berntl, assigned to unknown.</em></p>
<p dir="auto">If I write a wav file to disk using scipy.io.wavfile.write, and then read it again, the file appears to be ok. HOWEVER if I try to <em>play</em> it using Windows Media Player, there is no sound!</p>
<p dir="auto">I have found a wav-file "sweeplin.wav" on the internet, as well as converted an mp3 file "Kalimba.mp3" to wav using freeware "Switch Sound File Converter". Both sweeplin, and Kalimba (before and after conversion) plays nicely on Windows Media Player. If I try to import e.g. Kalimba.wav using scipy.wavefile.read("Kalimba.wav"), I get an error message:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=">>> rate, data = swav.read(path+r"Kalimba.wav")"><pre class="notranslate"><code class="notranslate">>>> rate, data = swav.read(path+r"Kalimba.wav")
</code></pre></div>
<p dir="auto">leads to</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="C:\Python27\lib\site-packages\scipy\io\wavfile.py:31: WavFileWarning: Unfamiliar format bytes
warnings.warn("Unfamiliar format bytes", WavFileWarning)
C:\Python27\lib\site-packages\scipy\io\wavfile.py:121: WavFileWarning: chunk not understood
warnings.warn("chunk not understood", WavFileWarning)
rate
6000
data
'\x01\x08\x00\x00'"><pre class="notranslate"><code class="notranslate">C:\Python27\lib\site-packages\scipy\io\wavfile.py:31: WavFileWarning: Unfamiliar format bytes
warnings.warn("Unfamiliar format bytes", WavFileWarning)
C:\Python27\lib\site-packages\scipy\io\wavfile.py:121: WavFileWarning: chunk not understood
warnings.warn("chunk not understood", WavFileWarning)
rate
6000
data
'\x01\x08\x00\x00'
</code></pre></div>
<h2 dir="auto">Any clues?</h2>
<p dir="auto">I use the latest version of Enthought Python Distribution as of March 22, 2012.</p> | <p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/scipy/ticket/1585" rel="nofollow">http://projects.scipy.org/scipy/ticket/1585</a> on 2012-01-14 by trac user richli, assigned to unknown.</em></p>
<p dir="auto">I recorded some sound with Audacity and then exported it using the default options to a 16-bit signed PCM WAV file. Upon export, it fills in some metadata (artist name, track, etc) automatically but allows me to customize or clear out the metadata.</p>
<p dir="auto">The exported wav file plays fine with mplayer et al., but when I load it using scipy.io.wavfile.read, I get this warning:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="/usr/lib/python2.7/site-packages/scipy/io/wavfile.py:121: WavFileWarning: chunk not understood
warnings.warn("chunk not understood", WavFileWarning)"><pre class="notranslate"><code class="notranslate">/usr/lib/python2.7/site-packages/scipy/io/wavfile.py:121: WavFileWarning: chunk not understood
warnings.warn("chunk not understood", WavFileWarning)
</code></pre></div>
<p dir="auto">Upon examination of the source code and a hexdump of the offending wav file, I determined that the code only handles "format" and "data" chunks. All other types of wav chunks are skipped. The chunk in question happens to be an "info" chunk that is used for storing metadata. It looks like wavfile.py correctly skips over it, but it's still annoying to see warnings about perfectly legitimate wav files.</p>
<p dir="auto">To double-check things, I re-exported the wav files from Audacity, this time clearing out metadata. A hex dump confirms that no "list" chunks exist in the wav file and wavfile.py no longer issues the warning.</p>
<p dir="auto">Here's a helpful reference I found that talks about the chunks found in wav files: [http://www.sonicspot.com/guide/wavefiles.html#list].</p>
<p dir="auto">I also have a quick patch:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[earl@leto io]$ diff wavfile_orig.py wavfile.py
35a36,44
> def _skip_unknown_chunk(fid):
> if _big_endian:
> fmt = '>i'
> else:
> fmt = '<i'
> data = fid.read(4)
> size = struct.unpack(fmt, data)[0]
> fid.seek(size, 1)
>
119a129,131
> elif chunk_id == asbytes('LIST'):
> # Someday this could be handled properly but for now skip it
> _skip_unknown_chunk(fid)
122,128c134
< data = fid.read(4)
< if _big_endian:
< fmt = '>i'
< else:
< fmt = '<i'
< size = struct.unpack(fmt, data)[0]
< fid.seek(size, 1)
---
> _skip_unknown_chunk(fid)"><pre class="notranslate"><code class="notranslate">[earl@leto io]$ diff wavfile_orig.py wavfile.py
35a36,44
> def _skip_unknown_chunk(fid):
> if _big_endian:
> fmt = '>i'
> else:
> fmt = '<i'
> data = fid.read(4)
> size = struct.unpack(fmt, data)[0]
> fid.seek(size, 1)
>
119a129,131
> elif chunk_id == asbytes('LIST'):
> # Someday this could be handled properly but for now skip it
> _skip_unknown_chunk(fid)
122,128c134
< data = fid.read(4)
< if _big_endian:
< fmt = '>i'
< else:
< fmt = '<i'
< size = struct.unpack(fmt, data)[0]
< fid.seek(size, 1)
---
> _skip_unknown_chunk(fid)
</code></pre></div>
<p dir="auto">In this patch I move the else suite to a new private function, _skip_unknown_chunk(). I create an extra elif case for a "list" chunk and note that it could be handled in the future to return the contained metadata, but currently it just treats it as unknown and skips it. It's not important to me currently for it to read the metadata from the wav file, but someday it may be useful.</p>
<p dir="auto">Finally, for reference I am running:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Linux leto 3.1.8-1-ARCH #1 SMP PREEMPT Sat Jan 7 08:59:43 CET 2012 x86_64 AMD Sempron(tm) 140 Processor AuthenticAMD GNU/Linux"><pre class="notranslate"><code class="notranslate">Linux leto 3.1.8-1-ARCH #1 SMP PREEMPT Sat Jan 7 08:59:43 CET 2012 x86_64 AMD Sempron(tm) 140 Processor AuthenticAMD GNU/Linux
</code></pre></div>
<p dir="auto">And this is scipy v0.10.0 on Arch linux.</p>
<p dir="auto">Thanks,<br>
Rich</p> | 1 |
<h4 dir="auto">Describe the bug</h4>
<p dir="auto">Running existing packages/programs with the latest release of 0.23.0 gives an import error on <code class="notranslate">MaskedArray</code>.</p>
<p dir="auto">Bounding the requirements to <code class="notranslate">< 0.23.0</code> resolves this issue, but then it reverts to the older version although would be good to be on the latest release.</p>
<h4 dir="auto">Steps/Code to Reproduce</h4>
<p dir="auto"><em>Setup</em></p>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="$ pip install scikit-learn>=0.20.2
or
$ pip install scikit-learn==0.23.0"><pre class="notranslate">$ pip install scikit-learn<span class="pl-k">></span>=0.20.2
or
$ pip install scikit-learn==0.23.0</pre></div>
<p dir="auto"><em>Code</em></p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="from sklearn.utils.fixes import MaskedArray
....
<rest of your code>"><pre class="notranslate"><span class="pl-k">from</span> <span class="pl-s1">sklearn</span>.<span class="pl-s1">utils</span>.<span class="pl-s1">fixes</span> <span class="pl-k">import</span> <span class="pl-v">MaskedArray</span>
....
<span class="pl-c1"><</span><span class="pl-s1">rest</span> <span class="pl-s1">of</span> <span class="pl-s1">your</span> <span class="pl-s1">code</span><span class="pl-c1">></span></pre></div>
<h4 dir="auto">Expected Results</h4>
<p dir="auto">No exception or a warning with an alternative solution to the above issue. A depreciation message if the class has been removed.</p>
<p dir="auto">Although, from <a href="https://github.com/scikit-learn/scikit-learn/blob/master/sklearn/utils/fixes.py#L20">https://github.com/scikit-learn/scikit-learn/blob/master/sklearn/utils/fixes.py#L20</a> it appears that this is due to be removed in <code class="notranslate">0.25.0</code>.</p>
<h4 dir="auto">Actual Results</h4>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="ImportError while importing test module '/opt/atlassian/pipelines/agent/build/tests_package_name/module.py'.
Hint: make sure your test modules/packages have valid Python names.
Traceback:
tests/test_package_name.py:7: in <module>
from package_name import H2OGradientBoostingModel
package_name/module.py:5: in <module>
from skopt import gp_minimize
/usr/local/lib/python3.6/site-packages/skopt/__init__.py:54: in <module>
from .searchcv import BayesSearchCV
/usr/local/lib/python3.6/site-packages/skopt/searchcv.py:16: in <module>
from sklearn.utils.fixes import MaskedArray
E ImportError: cannot import name 'MaskedArray'"><pre class="notranslate"><code class="notranslate">ImportError while importing test module '/opt/atlassian/pipelines/agent/build/tests_package_name/module.py'.
Hint: make sure your test modules/packages have valid Python names.
Traceback:
tests/test_package_name.py:7: in <module>
from package_name import H2OGradientBoostingModel
package_name/module.py:5: in <module>
from skopt import gp_minimize
/usr/local/lib/python3.6/site-packages/skopt/__init__.py:54: in <module>
from .searchcv import BayesSearchCV
/usr/local/lib/python3.6/site-packages/skopt/searchcv.py:16: in <module>
from sklearn.utils.fixes import MaskedArray
E ImportError: cannot import name 'MaskedArray'
</code></pre></div>
<h4 dir="auto">Versions</h4>
<p dir="auto">0.23.0</p> | <p dir="auto">In scikit-learn 0.23.0:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=">>> import skopt
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "venv/lib/python3.6/site-packages/skopt/__init__.py", line 54, in <module>
from .searchcv import BayesSearchCV
File "venv/lib/python3.6/site-packages/skopt/searchcv.py", line 16, in <module>
from sklearn.utils.fixes import MaskedArray
ImportError: cannot import name 'MaskedArray'"><pre class="notranslate"><code class="notranslate">>>> import skopt
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "venv/lib/python3.6/site-packages/skopt/__init__.py", line 54, in <module>
from .searchcv import BayesSearchCV
File "venv/lib/python3.6/site-packages/skopt/searchcv.py", line 16, in <module>
from sklearn.utils.fixes import MaskedArray
ImportError: cannot import name 'MaskedArray'
</code></pre></div>
<p dir="auto">There was no deprecation warning in earlier version - now any library that relied on this (e.g. scikit optimize) is broken.</p> | 1 |
<p dir="auto">More of a feature request. It would be really nice if there were generic drop-downs. They would be useful for options and configuration buttons/cog wheels.</p>
<p dir="auto">Instead of attaching them to tabs/nav, they could also be using for small buttons a la Google +</p> | <p dir="auto">Quite simply, the nav-list's active list-item can be rather off if you enter a page at any other point besides the very top.</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://camo.githubusercontent.com/5b9d77acbf25ef43ed132939fcaf418abe002d699729688a4210e52a33603efa/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f313039393935312f3130313033312f32623962666266382d363839382d313165322d393437382d6161316137353665333430662e4a5047"><img src="https://camo.githubusercontent.com/5b9d77acbf25ef43ed132939fcaf418abe002d699729688a4210e52a33603efa/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f313039393935312f3130313033312f32623962666266382d363839382d313165322d393437382d6161316137353665333430662e4a5047" alt="Like this!" data-canonical-src="https://f.cloud.github.com/assets/1099951/101031/2b9bfbf8-6898-11e2-9478-aa1a756e340f.JPG" style="max-width: 100%;"></a></p>
<p dir="auto">In the above example, I entered the page via the following link: <a href="http://twitter.github.com/bootstrap/javascript.html#collapse">http://twitter.github.com/bootstrap/javascript.html#collapse</a> and then clicked on 'Typeahead' on the left-side nav-list to go to it. As you can see, the menu put the active class onto 'Dropdown' instead of the correct item. The same error occurs if you reload the page while your window is not at the top, and scrolling has the same issue as clicking on a link.</p>
<p dir="auto">I've tried this in both Chrome Version 24.0.1312.56 m & Firefox Nightly 20.0a1 on Win7 x64, and had the same issue on both. IE7, 8 and 9 don't have the problem.</p>
<p dir="auto">Apologies if this issue already exists, I tried searching through the Scrollspy cases but found nothing.</p> | 0 |
<p dir="auto">I am building react js app based on nextjs boilerplate.</p>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/zeit/next.js/issues?q=is%3Aissue">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h2 dir="auto">Expected Behavior</h2>
<p dir="auto">Check if router has previous url or not.</p>
<h2 dir="auto">Current Behavior</h2>
<p dir="auto">The tab is being closed on router.back()</p>
<h2 dir="auto">Steps to Reproduce (for bugs)</h2>
<p dir="auto">router.back()</p>
<h2 dir="auto">Context</h2>
<p dir="auto">I need to get the previous url to redirect the user back to the page after signin in my app. It works fine if there is any other page visited before the signin page. But when user directly open signin page in new tab, there will be no previous url. So in router.back() it closes the tab.</p>
<h2 dir="auto">Your Environment</h2>
<table role="table">
<thead>
<tr>
<th>Tech</th>
<th>Version</th>
</tr>
</thead>
<tbody>
<tr>
<td>next</td>
<td>^3.2.2</td>
</tr>
<tr>
<td>node</td>
<td>9.4.0</td>
</tr>
<tr>
<td>OS</td>
<td>MacOS Sierra 10.12.6</td>
</tr>
<tr>
<td>browser</td>
<td>Google Chrome Version 65.0.3325.181</td>
</tr>
</tbody>
</table> | <h1 dir="auto">Examples bug report</h1>
<h2 dir="auto">Example name</h2>
<p dir="auto">Lazy Loading Modules<br>
<a href="https://github.com/zeit/next-learn-demo.git">https://github.com/zeit/next-learn-demo.git</a><br>
Step : E2-lazy-loading-modules</p>
<h2 dir="auto">Describe the bug</h2>
<p dir="auto">npm run dev causes runtime issues and the server does not start. Faces the same issue with E3 as well.<br>
I am using Windows 10 for the tutorials</p>
<h2 dir="auto">To Reproduce</h2>
<p dir="auto">Steps to reproduce the behavior, please provide code snippets or a repository:<br>
<code class="notranslate">npm install</code><br>
<code class="notranslate">npm run dev</code></p>
<h2 dir="auto">Expected behavior</h2>
<p dir="auto">The app starts on port 3000</p>
<h2 dir="auto">Screenshots</h2>
<p dir="auto">If applicable, add screenshots to help explain your problem.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="C:\workspace\next-learn-demo\E2-lazy-loading-modules>npm run dev
> [email protected] dev C:\workspace\next-learn-demo\E2-lazy-loading-modules
> node server.js
[ error ] ./node_modules/next/dist/client/next-dev.js 36:6
Module parse failed: Unexpected token (36:6)
You may need an appropriate loader to handle this file type.
|
|
> import('./noop'); // Support EventSource on Internet Explorer 11
|
| if (!window.EventSource) {
> Ready on http://localhost:3000
TypeError: Cannot read property 'issuer' of null
at findEntryModule (C:\workspace\next-learn-demo\E2-lazy-loading-modules\node_modules\next\dist\server\hot-reloader.js:60:16)
at erroredPages (C:\workspace\next-learn-demo\E2-lazy-loading-modules\node_modules\next\dist\server\hot-reloader.js:68:29)
at HotReloader.getCompilationErrors (C:\workspace\next-learn-demo\E2-lazy-loading-modules\node_modules\next\dist\server\hot-reloader.js:308:33)
at process._tickCallback (internal/process/next_tick.js:68:7)
TypeError: Cannot read property 'issuer' of null
at findEntryModule (C:\workspace\next-learn-demo\E2-lazy-loading-modules\node_modules\next\dist\server\hot-reloader.js:60:16)
at erroredPages (C:\workspace\next-learn-demo\E2-lazy-loading-modules\node_modules\next\dist\server\hot-reloader.js:68:29)
at HotReloader.getCompilationErrors (C:\workspace\next-learn-demo\E2-lazy-loading-modules\node_modules\next\dist\server\hot-reloader.js:308:33)
at process._tickCallback (internal/process/next_tick.js:68:7)"><pre class="notranslate"><code class="notranslate">C:\workspace\next-learn-demo\E2-lazy-loading-modules>npm run dev
> [email protected] dev C:\workspace\next-learn-demo\E2-lazy-loading-modules
> node server.js
[ error ] ./node_modules/next/dist/client/next-dev.js 36:6
Module parse failed: Unexpected token (36:6)
You may need an appropriate loader to handle this file type.
|
|
> import('./noop'); // Support EventSource on Internet Explorer 11
|
| if (!window.EventSource) {
> Ready on http://localhost:3000
TypeError: Cannot read property 'issuer' of null
at findEntryModule (C:\workspace\next-learn-demo\E2-lazy-loading-modules\node_modules\next\dist\server\hot-reloader.js:60:16)
at erroredPages (C:\workspace\next-learn-demo\E2-lazy-loading-modules\node_modules\next\dist\server\hot-reloader.js:68:29)
at HotReloader.getCompilationErrors (C:\workspace\next-learn-demo\E2-lazy-loading-modules\node_modules\next\dist\server\hot-reloader.js:308:33)
at process._tickCallback (internal/process/next_tick.js:68:7)
TypeError: Cannot read property 'issuer' of null
at findEntryModule (C:\workspace\next-learn-demo\E2-lazy-loading-modules\node_modules\next\dist\server\hot-reloader.js:60:16)
at erroredPages (C:\workspace\next-learn-demo\E2-lazy-loading-modules\node_modules\next\dist\server\hot-reloader.js:68:29)
at HotReloader.getCompilationErrors (C:\workspace\next-learn-demo\E2-lazy-loading-modules\node_modules\next\dist\server\hot-reloader.js:308:33)
at process._tickCallback (internal/process/next_tick.js:68:7)
</code></pre></div>
<h2 dir="auto">System information</h2>
<ul dir="auto">
<li>OS: Windows 10</li>
<li>Version of Next.js: 8.0.3 (<a href="https://github.com/zeit/next-learn-demo.git">https://github.com/zeit/next-learn-demo.git</a>)</li>
</ul>
<h2 dir="auto">Additional context</h2>
<p dir="auto">The same issue is in the E3 example as well and cannot proceed further in the tutorial.</p> | 0 |
<h2 dir="auto"><g-emoji class="g-emoji" alias="rocket" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/1f680.png">🚀</g-emoji> Feature</h2>
<p dir="auto">Add an op that performs 'and' and 'or' on a bitwise level.<br>
For example:</p>
<p dir="auto"><code class="notranslate">a = torch.LongTensor([3]) # b'11'</code><br>
<code class="notranslate">b = torch.LongTensor([2]) # b'10'</code><br>
<code class="notranslate">torch.bitwise_and(a,b) # 2 == b'10'</code></p>
<h2 dir="auto">Motivation</h2>
<p dir="auto">As of now, logical_and and logical_or always return bool, and if one wishes to get the bitwise result, there is no solution available.</p>
<h2 dir="auto">Pitch</h2>
<p dir="auto">A recent implementation of bitwise_xor is very similar to what I am describing:<br>
<a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/pytorch/pytorch/commit/bd0394d47321c310bd6ff70d138e3ea648b79427/hovercard" href="https://github.com/pytorch/pytorch/commit/bd0394d47321c310bd6ff70d138e3ea648b79427"><tt>bd0394d</tt></a></p> | <p dir="auto">In cudnn rnn backend, setDropoutDescriptor is called at every step:<br>
<a href="https://github.com/pytorch/pytorch/blob/master/torch/backends/cudnn/__init__.py#L220">https://github.com/pytorch/pytorch/blob/master/torch/backends/cudnn/__init__.py#L220</a><br>
which means that rng states will be re-initialized at every step from the same seed, and dropout will generate the same randoms at every step.<br>
<a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/adamlerer/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/adamlerer">@adamlerer</a></p> | 0 |
<p dir="auto">popover is getting wrong position when within a row-fluid with less than 1200px grid size</p> | <p dir="auto">congrats on releasing 2.3.0!<br>
I was checking out some of the docs and saw that <a href="http://twitter.github.com/bootstrap/javascript.html#tooltips">tooltips data-placement</a> is not working correctly. I think its because of the one pull request that makes options set in javascript override the options that were set in the html but I'm not sure..</p> | 1 |
<p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/scipy/ticket/351" rel="nofollow">http://projects.scipy.org/scipy/ticket/351</a> on 2007-01-19 by <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/wnbell/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/wnbell">@wnbell</a>, assigned to unknown.</em></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="from scipy import *
M = sparse.csr_matrix(rand(6,6))
b = rand(M.shape[0])
lu = linsolve.splu(M) #crash here"><pre class="notranslate"><code class="notranslate">from scipy import *
M = sparse.csr_matrix(rand(6,6))
b = rand(M.shape[0])
lu = linsolve.splu(M) #crash here
</code></pre></div>
<p dir="auto">Produces the output:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="nathan@droog:~/Work/hirani_group/projects/pydec/multigrid/scratch$ python splu.py
Use minimum degree ordering on A'+A.
Segmentation fault (core dumped)
nathan@droog:~/Work/hirani_group/projects/pydec/multigrid/scratch$ gdb python
(gdb) run -i splu.py
Starting program: /usr/bin/python -i splu2.py
(no debugging symbols found)
(no debugging symbols found)
(no debugging symbols found)
[Thread debugging using libthread_db enabled]
[New Thread -1209776464 (LWP 17999)]
(no debugging symbols found)
(no debugging symbols found)
(no debugging symbols found)
(no debugging symbols found)
(no debugging symbols found)
Use minimum degree ordering on A'+A.
Program received signal SIGSEGV, Segmentation fault.
[Switching to Thread -1209776464 (LWP 17999)]
0xb696b141 in mmdelm_ (mdnode=0xb697e21c, xadj=0x839c4a8, adjncy=0x841ea60, dhead=0x83d3148, dforw=0x8349a40, dbakw=0x835d4c8, qsize=0x834c6f0, llist=0x83e1e80, marker=0x83907d8, maxint=0xbfe64d94, tag=0xb697e214)
at Lib/linsolve/SuperLU/SRC/mmd.c:366
366 nabor = adjncy[i];
(gdb) bt
#0 0xb696b141 in mmdelm_ (mdnode=0xb697e21c, xadj=0x839c4a8, adjncy=0x841ea60, dhead=0x83d3148, dforw=0x8349a40, dbakw=0x835d4c8, qsize=0x834c6f0, llist=0x83e1e80, marker=0x83907d8, maxint=0xbfe64d94, tag=0xb697e214)
at Lib/linsolve/SuperLU/SRC/mmd.c:366
#1 0xb696c3fb in genmmd_ (neqns=0xbfe64da4, xadj=0x839c4a8, adjncy=0x841ea60, invp=0x8349a40, perm=0x835d4c8, delta=0xbfe64d98, dhead=0x83d3148, qsize=0x834c6f0, llist=0x83e1e80, marker=0x83907d8, maxint=0xbfe64d94,
nofsub=0xbfe64d90) at Lib/linsolve/SuperLU/SRC/mmd.c:186
#2 0xb6964161 in get_perm_c (ispec=2, A=0xbfe65000, perm_c=0x8349a40) at Lib/linsolve/SuperLU/SRC/get_perm_c.c:423
#3 0xb6951d53 in newSciPyLUObject (A=0xbfe65000, diag_pivot_thresh=1, drop_tol=0, relax=1, panel_size=10, permc_spec=2, intype=12) at Lib/linsolve/_superluobject.c:360
#4 0xb6951203 in Py_dgstrf (self=0x0, args=0xb6dd366c, keywds=0x0) at Lib/linsolve/_dsuperlumodule.c:206
#5 0x080b901a in PyEval_EvalFrame ()
#6 0x080ba4b9 in PyEval_EvalCodeEx ()
#7 0x080b86ea in PyEval_EvalFrame ()
#8 0x080ba4b9 in PyEval_EvalCodeEx ()
#9 0x080ba527 in PyEval_EvalCode ()
#10 0x080ddb1a in PyRun_FileExFlags ()
#11 0x080ddd07 in PyRun_SimpleFileExFlags ()
#12 0x08055cc2 in Py_Main ()
#13 0x08055132 in main ()
(gdb) "><pre class="notranslate"><code class="notranslate">nathan@droog:~/Work/hirani_group/projects/pydec/multigrid/scratch$ python splu.py
Use minimum degree ordering on A'+A.
Segmentation fault (core dumped)
nathan@droog:~/Work/hirani_group/projects/pydec/multigrid/scratch$ gdb python
(gdb) run -i splu.py
Starting program: /usr/bin/python -i splu2.py
(no debugging symbols found)
(no debugging symbols found)
(no debugging symbols found)
[Thread debugging using libthread_db enabled]
[New Thread -1209776464 (LWP 17999)]
(no debugging symbols found)
(no debugging symbols found)
(no debugging symbols found)
(no debugging symbols found)
(no debugging symbols found)
Use minimum degree ordering on A'+A.
Program received signal SIGSEGV, Segmentation fault.
[Switching to Thread -1209776464 (LWP 17999)]
0xb696b141 in mmdelm_ (mdnode=0xb697e21c, xadj=0x839c4a8, adjncy=0x841ea60, dhead=0x83d3148, dforw=0x8349a40, dbakw=0x835d4c8, qsize=0x834c6f0, llist=0x83e1e80, marker=0x83907d8, maxint=0xbfe64d94, tag=0xb697e214)
at Lib/linsolve/SuperLU/SRC/mmd.c:366
366 nabor = adjncy[i];
(gdb) bt
#0 0xb696b141 in mmdelm_ (mdnode=0xb697e21c, xadj=0x839c4a8, adjncy=0x841ea60, dhead=0x83d3148, dforw=0x8349a40, dbakw=0x835d4c8, qsize=0x834c6f0, llist=0x83e1e80, marker=0x83907d8, maxint=0xbfe64d94, tag=0xb697e214)
at Lib/linsolve/SuperLU/SRC/mmd.c:366
#1 0xb696c3fb in genmmd_ (neqns=0xbfe64da4, xadj=0x839c4a8, adjncy=0x841ea60, invp=0x8349a40, perm=0x835d4c8, delta=0xbfe64d98, dhead=0x83d3148, qsize=0x834c6f0, llist=0x83e1e80, marker=0x83907d8, maxint=0xbfe64d94,
nofsub=0xbfe64d90) at Lib/linsolve/SuperLU/SRC/mmd.c:186
#2 0xb6964161 in get_perm_c (ispec=2, A=0xbfe65000, perm_c=0x8349a40) at Lib/linsolve/SuperLU/SRC/get_perm_c.c:423
#3 0xb6951d53 in newSciPyLUObject (A=0xbfe65000, diag_pivot_thresh=1, drop_tol=0, relax=1, panel_size=10, permc_spec=2, intype=12) at Lib/linsolve/_superluobject.c:360
#4 0xb6951203 in Py_dgstrf (self=0x0, args=0xb6dd366c, keywds=0x0) at Lib/linsolve/_dsuperlumodule.c:206
#5 0x080b901a in PyEval_EvalFrame ()
#6 0x080ba4b9 in PyEval_EvalCodeEx ()
#7 0x080b86ea in PyEval_EvalFrame ()
#8 0x080ba4b9 in PyEval_EvalCodeEx ()
#9 0x080ba527 in PyEval_EvalCode ()
#10 0x080ddb1a in PyRun_FileExFlags ()
#11 0x080ddd07 in PyRun_SimpleFileExFlags ()
#12 0x08055cc2 in Py_Main ()
#13 0x08055132 in main ()
(gdb)
</code></pre></div>
<p dir="auto">The crash does not occur every time the program is run via python (although almost always). Within gdb the error occurs very very rarely, and is hard to reproduce.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Python 2.4.4c1
gcc (GCC) 4.1.2 20060928 (prerelease) (Ubuntu 4.1.1-13ubuntu5)"><pre class="notranslate"><code class="notranslate">Python 2.4.4c1
gcc (GCC) 4.1.2 20060928 (prerelease) (Ubuntu 4.1.1-13ubuntu5)
</code></pre></div> | <p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/scipy/ticket/1472" rel="nofollow">http://projects.scipy.org/scipy/ticket/1472</a> on 2011-07-03 by <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/rgommers/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/rgommers">@rgommers</a>, assigned to <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/pv/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/pv">@pv</a>.</em></p>
<p dir="auto">On Python 2.6 (32-bit) under OS X, with numpy 1.6.1rc2.</p>
<p dir="auto">Complete gdb output attached, relevant bit is:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="test_arpack.test_hermitian_modes(True, <std-hermitian>, 'F', 2, 'LM', None, 0.5, <function aslinearoperator at 0x2a55a30>) ...
Program received signal EXC_BAD_ACCESS, Could not access memory.
Reason: KERN_INVALID_ADDRESS at address: 0x07723a70
0x9357bc00 in ATL_zaxpy_xp0yp0aXbX ()
(gdb) bt
#0 0x9357bc00 in ATL_zaxpy_xp0yp0aXbX ()
#1 0x9357ba60 in ATL_zaxpy ()"><pre class="notranslate"><code class="notranslate">test_arpack.test_hermitian_modes(True, <std-hermitian>, 'F', 2, 'LM', None, 0.5, <function aslinearoperator at 0x2a55a30>) ...
Program received signal EXC_BAD_ACCESS, Could not access memory.
Reason: KERN_INVALID_ADDRESS at address: 0x07723a70
0x9357bc00 in ATL_zaxpy_xp0yp0aXbX ()
(gdb) bt
#0 0x9357bc00 in ATL_zaxpy_xp0yp0aXbX ()
#1 0x9357ba60 in ATL_zaxpy ()
</code></pre></div> | 0 |
<p dir="auto">For a given js file, which contains only a large map such as below -<br>
-----------------------‐---------f.js-----------------------‐-------------<br>
module.exports = {"A":"1", "B":"2", "C":"3", ...}<br>
-----------------------‐--------------------------------‐-------------------</p>
<p dir="auto">And with preset as 'es2015', Babel keeps the file unchanged till some occurrences. But beyond a count, it replaces the latter instances of the map with _defineProperty(_module$exports, "Z", "26");<br>
How can this threshold be adjusted?</p> | <h2 dir="auto">Bug Report</h2>
<p dir="auto"><strong>Current Behavior</strong><br>
regeneratorRuntime is not defined when running in a browser.</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=""use strict";
function asyncGeneratorStep(gen, resolve, reject, _next, _throw, key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { Promise.resolve(value).then(_next, _throw); } }
function _asyncToGenerator(fn) { return function () { var self = this, args = arguments; return new Promise(function (resolve, reject) { var gen = fn.apply(self, args); function _next(value) { asyncGeneratorStep(gen, resolve, reject, _next, _throw, "next", value); } function _throw(err) { asyncGeneratorStep(gen, resolve, reject, _next, _throw, "throw", err); } _next(undefined); }); }; }
_asyncToGenerator(
/*#__PURE__*/
regeneratorRuntime.mark(function _callee() {
return regeneratorRuntime.wrap(function _callee$(_context) {
while (1) {
switch (_context.prev = _context.next) {
case 0:
_context.next = 2;
return Promise.resolve();
case 2:
case "end":
return _context.stop();
}
}
}, _callee);
}))();"><pre class="notranslate"><span class="pl-s">"use strict"</span><span class="pl-kos">;</span>
<span class="pl-k">function</span> <span class="pl-en">asyncGeneratorStep</span><span class="pl-kos">(</span><span class="pl-s1">gen</span><span class="pl-kos">,</span> <span class="pl-s1">resolve</span><span class="pl-kos">,</span> <span class="pl-s1">reject</span><span class="pl-kos">,</span> <span class="pl-s1">_next</span><span class="pl-kos">,</span> <span class="pl-s1">_throw</span><span class="pl-kos">,</span> <span class="pl-s1">key</span><span class="pl-kos">,</span> <span class="pl-s1">arg</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">try</span> <span class="pl-kos">{</span> <span class="pl-k">var</span> <span class="pl-s1">info</span> <span class="pl-c1">=</span> <span class="pl-s1">gen</span><span class="pl-kos">[</span><span class="pl-s1">key</span><span class="pl-kos">]</span><span class="pl-kos">(</span><span class="pl-s1">arg</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-k">var</span> <span class="pl-s1">value</span> <span class="pl-c1">=</span> <span class="pl-s1">info</span><span class="pl-kos">.</span><span class="pl-c1">value</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-k">catch</span> <span class="pl-kos">(</span><span class="pl-s1">error</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-s1">reject</span><span class="pl-kos">(</span><span class="pl-s1">error</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-k">return</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-k">if</span> <span class="pl-kos">(</span><span class="pl-s1">info</span><span class="pl-kos">.</span><span class="pl-c1">done</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-s1">resolve</span><span class="pl-kos">(</span><span class="pl-s1">value</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-k">else</span> <span class="pl-kos">{</span> <span class="pl-v">Promise</span><span class="pl-kos">.</span><span class="pl-en">resolve</span><span class="pl-kos">(</span><span class="pl-s1">value</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">then</span><span class="pl-kos">(</span><span class="pl-s1">_next</span><span class="pl-kos">,</span> <span class="pl-s1">_throw</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-kos">}</span>
<span class="pl-k">function</span> <span class="pl-en">_asyncToGenerator</span><span class="pl-kos">(</span><span class="pl-s1">fn</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">return</span> <span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">var</span> <span class="pl-s1">self</span> <span class="pl-c1">=</span> <span class="pl-smi">this</span><span class="pl-kos">,</span> <span class="pl-s1">args</span> <span class="pl-c1">=</span> <span class="pl-smi">arguments</span><span class="pl-kos">;</span> <span class="pl-k">return</span> <span class="pl-k">new</span> <span class="pl-v">Promise</span><span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-s1">resolve</span><span class="pl-kos">,</span> <span class="pl-s1">reject</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">var</span> <span class="pl-s1">gen</span> <span class="pl-c1">=</span> <span class="pl-s1">fn</span><span class="pl-kos">.</span><span class="pl-en">apply</span><span class="pl-kos">(</span><span class="pl-s1">self</span><span class="pl-kos">,</span> <span class="pl-s1">args</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-k">function</span> <span class="pl-en">_next</span><span class="pl-kos">(</span><span class="pl-s1">value</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-en">asyncGeneratorStep</span><span class="pl-kos">(</span><span class="pl-s1">gen</span><span class="pl-kos">,</span> <span class="pl-s1">resolve</span><span class="pl-kos">,</span> <span class="pl-s1">reject</span><span class="pl-kos">,</span> <span class="pl-s1">_next</span><span class="pl-kos">,</span> <span class="pl-s1">_throw</span><span class="pl-kos">,</span> <span class="pl-s">"next"</span><span class="pl-kos">,</span> <span class="pl-s1">value</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-k">function</span> <span class="pl-en">_throw</span><span class="pl-kos">(</span><span class="pl-s1">err</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-en">asyncGeneratorStep</span><span class="pl-kos">(</span><span class="pl-s1">gen</span><span class="pl-kos">,</span> <span class="pl-s1">resolve</span><span class="pl-kos">,</span> <span class="pl-s1">reject</span><span class="pl-kos">,</span> <span class="pl-s1">_next</span><span class="pl-kos">,</span> <span class="pl-s1">_throw</span><span class="pl-kos">,</span> <span class="pl-s">"throw"</span><span class="pl-kos">,</span> <span class="pl-s1">err</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-en">_next</span><span class="pl-kos">(</span><span class="pl-c1">undefined</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span><span class="pl-kos">;</span> <span class="pl-kos">}</span>
<span class="pl-en">_asyncToGenerator</span><span class="pl-kos">(</span>
<span class="pl-c">/*#__PURE__*/</span>
<span class="pl-s1">regeneratorRuntime</span><span class="pl-kos">.</span><span class="pl-en">mark</span><span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-en">_callee</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">return</span> <span class="pl-s1">regeneratorRuntime</span><span class="pl-kos">.</span><span class="pl-en">wrap</span><span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-en">_callee$</span><span class="pl-kos">(</span><span class="pl-s1">_context</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">while</span> <span class="pl-kos">(</span><span class="pl-c1">1</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">switch</span> <span class="pl-kos">(</span><span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">prev</span> <span class="pl-c1">=</span> <span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">next</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">case</span> <span class="pl-c1">0</span>:
<span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">next</span> <span class="pl-c1">=</span> <span class="pl-c1">2</span><span class="pl-kos">;</span>
<span class="pl-k">return</span> <span class="pl-v">Promise</span><span class="pl-kos">.</span><span class="pl-en">resolve</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">case</span> <span class="pl-c1">2</span>:
<span class="pl-k">case</span> <span class="pl-s">"end"</span>:
<span class="pl-k">return</span> <span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-en">stop</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-kos">}</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span> <span class="pl-s1">_callee</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">)</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div>
<p dir="auto"><strong>Input Code</strong></p>
<ul dir="auto">
<li>REPL or Repo link if applicable:</li>
</ul>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="(async function(){await Promise.resolve()})()"><pre class="notranslate"><span class="pl-kos">(</span><span class="pl-k">async</span> <span class="pl-k">function</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">{</span><span class="pl-k">await</span> <span class="pl-v">Promise</span><span class="pl-kos">.</span><span class="pl-en">resolve</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">(</span><span class="pl-kos">)</span></pre></div>
<p dir="auto"><strong>Expected behavior/code</strong><br>
The code should run without errors.</p>
<p dir="auto"><strong>Babel Configuration (.babelrc, package.json, cli command)</strong></p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="{
"presets": [[
"@babel/preset-env", {
"useBuiltIns": "entry",
"corejs":3
}]]
}"><pre class="notranslate"><span class="pl-kos">{</span>
<span class="pl-s">"presets"</span>: <span class="pl-kos">[</span><span class="pl-kos">[</span>
<span class="pl-s">"@babel/preset-env"</span><span class="pl-kos">,</span> <span class="pl-kos">{</span>
<span class="pl-s">"useBuiltIns"</span>: <span class="pl-s">"entry"</span><span class="pl-kos">,</span>
<span class="pl-s">"corejs"</span>:<span class="pl-c1">3</span>
<span class="pl-kos">}</span><span class="pl-kos">]</span><span class="pl-kos">]</span>
<span class="pl-kos">}</span></pre></div>
<p dir="auto"><strong>Environment</strong></p>
<ul dir="auto">
<li>Babel version(s): v7</li>
<li>Node/npm version: Node 10.14.5/NPM 6.9.0</li>
<li>OS: OSX 10.14.5</li>
<li>Monorepo: no</li>
<li>How you are using Babel: cli</li>
</ul>
<p dir="auto"><strong>Possible Solution</strong></p>
<p dir="auto"><strong>Additional context/Screenshots</strong><br>
Add any other context about the problem here. If applicable, add screenshots to help explain.</p> | 0 |
<ul dir="auto">
<li>VSCode Version: Version 0.10.11 / Build <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/microsoft/vscode/commit/f291f4ad600767626b24a4b15816b04bee9a3049/hovercard" href="https://github.com/microsoft/vscode/commit/f291f4ad600767626b24a4b15816b04bee9a3049"><tt>f291f4a</tt></a></li>
<li>OS Version: OSX 10.11</li>
</ul>
<p dir="auto">Do I need to explain more?</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/1809268/13916877/82495d98-ef5d-11e5-87a3-abef041d2345.png"><img width="489" alt="snimek obrazovky 2016-03-21 v 12 05 14" src="https://cloud.githubusercontent.com/assets/1809268/13916877/82495d98-ef5d-11e5-87a3-abef041d2345.png" style="max-width: 100%;"></a></p> | <p dir="auto"><em>From <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/f111fei/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/f111fei">@f111fei</a> on February 23, 2016 6:14</em></p>
<p dir="auto">version: 0.10.10<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/7069719/13243197/80630302-da37-11e5-9ccf-a63d6f23433d.png"><img src="https://cloud.githubusercontent.com/assets/7069719/13243197/80630302-da37-11e5-9ccf-a63d6f23433d.png" alt="2" style="max-width: 100%;"></a></p>
<p dir="auto"><code class="notranslate">letter</code></p>
<p dir="auto"><em>Copied from original issue: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="135646950" data-permission-text="Title is private" data-url="https://github.com/microsoft/vscode/issues/3270" data-hovercard-type="issue" data-hovercard-url="/microsoft/vscode/issues/3270/hovercard" href="https://github.com/microsoft/vscode/issues/3270">microsoft/vscode#3270</a></em></p> | 1 |
<p dir="auto">React DevTools version: 4.9.0-75726fadfd</p>
<h2 dir="auto">Steps To Reproduce</h2>
<ol dir="auto">
<li>Install React DevTools into Chrome 86</li>
<li>Observe Chrome errors loading source maps for React DevTools.</li>
</ol>
<p dir="auto">Link to code example:</p>
<p dir="auto"><code class="notranslate">None</code></p>
<h2 dir="auto">The current behavior</h2>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="DevTools failed to load SourceMap: Could not load content for chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/injectGlobalHook.js.map: HTTP error: status code 404, net::ERR_UNKNOWN_URL_SCHEME
DevTools failed to load SourceMap: Could not load content for chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/react_devtools_backend.js.map: HTTP error: status code 404, net::ERR_UNKNOWN_URL_SCHEME
DevTools failed to load SourceMap: Could not load content for chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/contentScript.js.map: HTTP error: status code 404, net::ERR_UNKNOWN_URL_SCHEME"><pre lang="log" class="notranslate"><code class="notranslate">DevTools failed to load SourceMap: Could not load content for chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/injectGlobalHook.js.map: HTTP error: status code 404, net::ERR_UNKNOWN_URL_SCHEME
DevTools failed to load SourceMap: Could not load content for chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/react_devtools_backend.js.map: HTTP error: status code 404, net::ERR_UNKNOWN_URL_SCHEME
DevTools failed to load SourceMap: Could not load content for chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/contentScript.js.map: HTTP error: status code 404, net::ERR_UNKNOWN_URL_SCHEME
</code></pre></div>
<h2 dir="auto">The expected behavior</h2>
<p dir="auto">Show no errors.</p>
<h2 dir="auto">Workaround</h2>
<ul dir="auto">
<li>Disable JavaScript source maps in Chrome DevTools (Open Chrome DevTools, click three dots menu in upper right corner, find Settings under More Tools. Uncheck "Enable JavaScript source maps".)</li>
</ul>
<p dir="auto">Workarounds that don't work:</p>
<ul dir="auto">
<li>Remove all <code class="notranslate">.map</code> files in <code class="notranslate">~/.config/google-chrome/Default/Extensions/fmkadmapgofadopljbjfkapdkoienihi/4.9.0_0/build/</code>.</li>
<li>Remove all <code class="notranslate">.map</code> files from <code class="notranslate">~/.config/google-chrome/Default/Extensions/fmkadmapgofadopljbjfkapdkoienihi/4.9.0_0/</code></li>
<li>Edit each <code class="notranslate">.js</code> file in <code class="notranslate">~/.config/google-chrome/Default/Extensions/fmkadmapgofadopljbjfkapdkoienihi/4.9.0_0/build/</code> to remove the line with <code class="notranslate">//# sourceMappingURL=</code>. This changes the hash of each file and Chrome will refuse to load the extension.</li>
</ul>
<h2 dir="auto">Other Notes</h2>
<ul dir="auto">
<li>OS: Manjaro Linux</li>
</ul> | <p dir="auto">Describe what you were doing when the bug occurred:<br>
1.<br>
2.<br>
3.</p>
<hr>
<h2 dir="auto">Please do not remove the text below this line</h2>
<p dir="auto">DevTools version: 4.3.0-3e0967783</p>
<p dir="auto">Call stack: at chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:159833<br>
at Map.forEach ()<br>
at commitIndex (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:159779)<br>
at e.getRankedChartData (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:160302)<br>
at Sl (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:322998)<br>
at ii (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:32:59363)<br>
at qi (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:32:67999)<br>
at Sl (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:32:108660)<br>
at Ic (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:32:99973)<br>
at Tc (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:32:99898)</p>
<p dir="auto">Component stack: in Sl<br>
in div<br>
in div<br>
in div<br>
in vo<br>
in Unknown<br>
in n<br>
in Unknown<br>
in div<br>
in div<br>
in Qi<br>
in Ve<br>
in nn<br>
in Da<br>
in Yc</p> | 0 |
<p dir="auto">Hi,</p>
<p dir="auto">I don't know if it has already been discussed (I suppose it has but cannot find the related issue): is there any plan to add some new placements for popovers like bottom-left, top-right, etc?<br>
I have implemented it on my side in tooltip.js / tooltip.less, it is not so intrusive (i.e. it does not break the existing placement option), only the 'auto' option might behave differently.</p> | <p dir="auto">As well as specifying top, right, bottom and left, it would also be useful to be able to specify top-right, top-left, right-top, right-bottom, bottom-right, bottom-left, left-top and left-bottom. Without these options, tooltips/popovers added to elements in the corner of the window will overlap the window itself (in some way or another).</p>
<p dir="auto">Here's an example of bottom-right (which could be used to add a tooltip/popover to an element that is in the top left corner:</p>
<p dir="auto"><a href="http://jsfiddle.net/fZTm4/3/" rel="nofollow">http://jsfiddle.net/fZTm4/3/</a></p> | 1 |
<h3 dir="auto">System info</h3>
<ul dir="auto">
<li>Playwright Version: [v1.30.0, 1.30.1, 1.32.0]</li>
<li>Operating System: [Windows 10, CentOS 8]</li>
<li>Browser: [Firefox]</li>
<li>Other info:<br>
Starting with version 1.30.0, when viewportsize is larger than the physical dimensions of a computer display, visual elements are active, available, stable, but it is not possible to perform clicks. In version 1.29.0 everything works good.<br>
In my Linux system display resolution is 1280x666.<br>
<em>Note: This code works correctly in headless mode.</em></li>
</ul>
<h3 dir="auto">Source code</h3>
<div class="highlight highlight-source-cs notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="using Microsoft.Playwright;
bool headless = false;
if (!string.IsNullOrEmpty(args[0]) && args[0] == "-headless")
{
headless = true;
}
Console.WriteLine("Started.");
var playwright = await Playwright.CreateAsync();
IBrowserType browsertype = playwright.Firefox;
Proxy proxy = new()
{
Server = "111.222.333.444:5555",
Username = "username",
Password = "password",
};
List<string> listArgs = new()
{
"--start-maximized",
};
var launchOptions = new BrowserTypeLaunchOptions()
{
Headless = headless,
Proxy = proxy,
Args = listArgs,
};
var browser = await browsertype.LaunchAsync(launchOptions);
var contextOptions = new BrowserNewContextOptions
{
ViewportSize = new() { Width = 1920, Height = 1080 },
};
var context = await browser.NewContextAsync(contextOptions);
var page = await context.NewPageAsync();
await page.GotoAsync("https://twitter.com/", new() { WaitUntil = WaitUntilState.Load });
var locator = page.FrameLocator("//iframe[@title='Sign in with Google Dialog']").Locator("//div[@id='close']");
try
{
Console.WriteLine("Clicking: Close Google Dialog");
await locator.ClickAsync();
}
catch (Exception ex)
{
Console.WriteLine($"Error:\n{ex.Message}\n{ex.StackTrace}");
}
locator = page.Locator("//a[@data-testid='login']").Locator("visible=true");
try
{
await locator.WaitForAsync(new LocatorWaitForOptions() { State = WaitForSelectorState.Visible });
}
catch (Exception ex)
{
Console.WriteLine($"Error:\n{ex.Message}\n{ex.StackTrace}");
}
try
{
Console.WriteLine("Clicking: Sign in");
await locator.ClickAsync(new LocatorClickOptions() { Timeout = 10000 });
}
catch (Exception ex)
{
Console.WriteLine($"Error:\n{ex.Message}\n{ex.StackTrace}");
}
Console.WriteLine("Finished. Press any key.");
Console.ReadKey();"><pre class="notranslate"><span class="pl-k">using</span> Microsoft<span class="pl-kos">.</span>Playwright<span class="pl-kos">;</span>
<span class="pl-smi">bool</span> <span class="pl-s1">headless</span> <span class="pl-c1">=</span> <span class="pl-c1">false</span><span class="pl-kos">;</span>
<span class="pl-k">if</span> <span class="pl-kos">(</span><span class="pl-c1">!</span><span class="pl-smi">string</span><span class="pl-kos">.</span><span class="pl-en">IsNullOrEmpty</span><span class="pl-kos">(</span>args<span class="pl-kos">[</span><span class="pl-c1">0</span><span class="pl-kos">]</span><span class="pl-kos">)</span> <span class="pl-c1">&&</span> args<span class="pl-kos">[</span><span class="pl-c1">0</span><span class="pl-kos">]</span> <span class="pl-c1">==</span> <span class="pl-s"><span class="pl-s">"</span>-headless<span class="pl-s">"</span></span><span class="pl-kos">)</span>
<span class="pl-kos">{</span>
<span class="pl-s1">headless</span> <span class="pl-c1">=</span> <span class="pl-c1">true</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
Console<span class="pl-kos">.</span><span class="pl-en">WriteLine</span><span class="pl-kos">(</span><span class="pl-s"><span class="pl-s">"</span>Started.<span class="pl-s">"</span></span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-smi">var</span> <span class="pl-s1">playwright</span> <span class="pl-c1">=</span> <span class="pl-k">await</span> Playwright<span class="pl-kos">.</span><span class="pl-en">CreateAsync</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-smi">IBrowserType</span> <span class="pl-s1">browsertype</span> <span class="pl-c1">=</span> playwright<span class="pl-kos">.</span>Firefox<span class="pl-kos">;</span>
<span class="pl-smi">Proxy</span> <span class="pl-s1">proxy</span> <span class="pl-c1">=</span> <span class="pl-k">new</span><span class="pl-kos">(</span><span class="pl-kos">)</span>
<span class="pl-kos">{</span>
<span class="pl-s1">Server</span> <span class="pl-c1">=</span> <span class="pl-s"><span class="pl-s">"</span>111.222.333.444:5555<span class="pl-s">"</span></span><span class="pl-kos">,</span>
<span class="pl-s1">Username</span> <span class="pl-c1">=</span> <span class="pl-s"><span class="pl-s">"</span>username<span class="pl-s">"</span></span><span class="pl-kos">,</span>
<span class="pl-s1">Password</span> <span class="pl-c1">=</span> <span class="pl-s"><span class="pl-s">"</span>password<span class="pl-s">"</span></span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span>
<span class="pl-smi">List</span><span class="pl-c1"><</span><span class="pl-smi">string</span><span class="pl-c1">></span> <span class="pl-s1">listArgs</span> <span class="pl-c1">=</span> <span class="pl-k">new</span><span class="pl-kos">(</span><span class="pl-kos">)</span>
<span class="pl-kos">{</span>
<span class="pl-s"><span class="pl-s">"</span>--start-maximized<span class="pl-s">"</span></span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span>
<span class="pl-smi">var</span> <span class="pl-s1">launchOptions</span> <span class="pl-c1">=</span> <span class="pl-k">new</span> BrowserTypeLaunchOptions<span class="pl-kos">(</span><span class="pl-kos">)</span>
<span class="pl-kos">{</span>
<span class="pl-s1">Headless</span> <span class="pl-c1">=</span> <span class="pl-s1">headless</span><span class="pl-kos">,</span>
<span class="pl-s1">Proxy</span> <span class="pl-c1">=</span> <span class="pl-s1">proxy</span><span class="pl-kos">,</span>
<span class="pl-s1">Args</span> <span class="pl-c1">=</span> <span class="pl-s1">listArgs</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span>
<span class="pl-smi">var</span> <span class="pl-s1">browser</span> <span class="pl-c1">=</span> <span class="pl-k">await</span> browsertype<span class="pl-kos">.</span><span class="pl-en">LaunchAsync</span><span class="pl-kos">(</span>launchOptions<span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-smi">var</span> <span class="pl-s1">contextOptions</span> <span class="pl-c1">=</span> <span class="pl-k">new</span> BrowserNewContextOptions
<span class="pl-kos">{</span>
<span class="pl-s1">ViewportSize</span> <span class="pl-c1">=</span> <span class="pl-k">new</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-s1">Width</span> <span class="pl-c1">=</span> <span class="pl-c1">1920</span><span class="pl-kos">,</span> <span class="pl-s1">Height</span> <span class="pl-c1">=</span> <span class="pl-c1">1080</span> <span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span>
<span class="pl-smi">var</span> <span class="pl-s1">context</span> <span class="pl-c1">=</span> <span class="pl-k">await</span> browser<span class="pl-kos">.</span><span class="pl-en">NewContextAsync</span><span class="pl-kos">(</span>contextOptions<span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-smi">var</span> <span class="pl-s1">page</span> <span class="pl-c1">=</span> <span class="pl-k">await</span> context<span class="pl-kos">.</span><span class="pl-en">NewPageAsync</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">await</span> page<span class="pl-kos">.</span><span class="pl-en">GotoAsync</span><span class="pl-kos">(</span><span class="pl-s"><span class="pl-s">"</span>https://twitter.com/<span class="pl-s">"</span></span><span class="pl-kos">,</span> <span class="pl-k">new</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-s1">WaitUntil</span> <span class="pl-c1">=</span> WaitUntilState<span class="pl-kos">.</span>Load <span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-smi">var</span> <span class="pl-s1">locator</span> <span class="pl-c1">=</span> page<span class="pl-kos">.</span><span class="pl-en">FrameLocator</span><span class="pl-kos">(</span><span class="pl-s"><span class="pl-s">"</span>//iframe[@title='Sign in with Google Dialog']<span class="pl-s">"</span></span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">Locator</span><span class="pl-kos">(</span><span class="pl-s"><span class="pl-s">"</span>//div[@id='close']<span class="pl-s">"</span></span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">try</span>
<span class="pl-kos">{</span>
Console<span class="pl-kos">.</span><span class="pl-en">WriteLine</span><span class="pl-kos">(</span><span class="pl-s"><span class="pl-s">"</span>Clicking: Close Google Dialog<span class="pl-s">"</span></span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">await</span> locator<span class="pl-kos">.</span><span class="pl-en">ClickAsync</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-k">catch</span> <span class="pl-kos">(</span><span class="pl-smi">Exception</span> <span class="pl-s1">ex</span><span class="pl-kos">)</span>
<span class="pl-kos">{</span>
Console<span class="pl-kos">.</span><span class="pl-en">WriteLine</span><span class="pl-kos">(</span><span class="pl-s">$"</span><span class="pl-s">Error:</span><span class="pl-s"><span class="pl-k">\n</span></span><span class="pl-kos">{</span>ex<span class="pl-kos">.</span>Message<span class="pl-kos">}</span><span class="pl-s"><span class="pl-k">\n</span></span><span class="pl-kos">{</span>ex<span class="pl-kos">.</span>StackTrace<span class="pl-kos">}</span><span class="pl-s">"</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-s1">locator</span> <span class="pl-c1">=</span> page<span class="pl-kos">.</span><span class="pl-en">Locator</span><span class="pl-kos">(</span><span class="pl-s"><span class="pl-s">"</span>//a[@data-testid='login']<span class="pl-s">"</span></span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">Locator</span><span class="pl-kos">(</span><span class="pl-s"><span class="pl-s">"</span>visible=true<span class="pl-s">"</span></span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">try</span>
<span class="pl-kos">{</span>
<span class="pl-k">await</span> locator<span class="pl-kos">.</span><span class="pl-en">WaitForAsync</span><span class="pl-kos">(</span><span class="pl-k">new</span> LocatorWaitForOptions<span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-s1">State</span> <span class="pl-c1">=</span> WaitForSelectorState<span class="pl-kos">.</span>Visible <span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-k">catch</span> <span class="pl-kos">(</span><span class="pl-smi">Exception</span> <span class="pl-s1">ex</span><span class="pl-kos">)</span>
<span class="pl-kos">{</span>
Console<span class="pl-kos">.</span><span class="pl-en">WriteLine</span><span class="pl-kos">(</span><span class="pl-s">$"</span><span class="pl-s">Error:</span><span class="pl-s"><span class="pl-k">\n</span></span><span class="pl-kos">{</span>ex<span class="pl-kos">.</span>Message<span class="pl-kos">}</span><span class="pl-s"><span class="pl-k">\n</span></span><span class="pl-kos">{</span>ex<span class="pl-kos">.</span>StackTrace<span class="pl-kos">}</span><span class="pl-s">"</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-k">try</span>
<span class="pl-kos">{</span>
Console<span class="pl-kos">.</span><span class="pl-en">WriteLine</span><span class="pl-kos">(</span><span class="pl-s"><span class="pl-s">"</span>Clicking: Sign in<span class="pl-s">"</span></span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">await</span> locator<span class="pl-kos">.</span><span class="pl-en">ClickAsync</span><span class="pl-kos">(</span><span class="pl-k">new</span> LocatorClickOptions<span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-s1">Timeout</span> <span class="pl-c1">=</span> <span class="pl-c1">10000</span> <span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-k">catch</span> <span class="pl-kos">(</span><span class="pl-smi">Exception</span> <span class="pl-s1">ex</span><span class="pl-kos">)</span>
<span class="pl-kos">{</span>
Console<span class="pl-kos">.</span><span class="pl-en">WriteLine</span><span class="pl-kos">(</span><span class="pl-s">$"</span><span class="pl-s">Error:</span><span class="pl-s"><span class="pl-k">\n</span></span><span class="pl-kos">{</span>ex<span class="pl-kos">.</span>Message<span class="pl-kos">}</span><span class="pl-s"><span class="pl-k">\n</span></span><span class="pl-kos">{</span>ex<span class="pl-kos">.</span>StackTrace<span class="pl-kos">}</span><span class="pl-s">"</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
Console<span class="pl-kos">.</span><span class="pl-en">WriteLine</span><span class="pl-kos">(</span><span class="pl-s"><span class="pl-s">"</span>Finished. Press any key.<span class="pl-s">"</span></span><span class="pl-kos">)</span><span class="pl-kos">;</span>
Console<span class="pl-kos">.</span><span class="pl-en">ReadKey</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div>
<p dir="auto"><strong>Config file</strong></p>
<div class="highlight highlight-text-xml notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="<Project Sdk="Microsoft.NET.Sdk">
<PropertyGroup>
<OutputType>Exe</OutputType>
<TargetFramework>net7.0</TargetFramework>
<ImplicitUsings>enable</ImplicitUsings>
<Nullable>enable</Nullable>
</PropertyGroup>
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Debug|AnyCPU'">
<DebugType>embedded</DebugType>
</PropertyGroup>
<PropertyGroup Condition="'$(Configuration)|$(Platform)'=='Release|AnyCPU'">
<DebugType>embedded</DebugType>
</PropertyGroup>
<ItemGroup>
<PackageReference Include="Microsoft.Playwright" Version="1.32.0" />
</ItemGroup>
</Project>"><pre class="notranslate"><<span class="pl-ent">Project</span> <span class="pl-e">Sdk</span>=<span class="pl-s"><span class="pl-pds">"</span>Microsoft.NET.Sdk<span class="pl-pds">"</span></span>>
<<span class="pl-ent">PropertyGroup</span>>
<<span class="pl-ent">OutputType</span>>Exe</<span class="pl-ent">OutputType</span>>
<<span class="pl-ent">TargetFramework</span>>net7.0</<span class="pl-ent">TargetFramework</span>>
<<span class="pl-ent">ImplicitUsings</span>>enable</<span class="pl-ent">ImplicitUsings</span>>
<<span class="pl-ent">Nullable</span>>enable</<span class="pl-ent">Nullable</span>>
</<span class="pl-ent">PropertyGroup</span>>
<<span class="pl-ent">PropertyGroup</span> <span class="pl-e">Condition</span>=<span class="pl-s"><span class="pl-pds">"</span>'$(Configuration)|$(Platform)'=='Debug|AnyCPU'<span class="pl-pds">"</span></span>>
<<span class="pl-ent">DebugType</span>>embedded</<span class="pl-ent">DebugType</span>>
</<span class="pl-ent">PropertyGroup</span>>
<<span class="pl-ent">PropertyGroup</span> <span class="pl-e">Condition</span>=<span class="pl-s"><span class="pl-pds">"</span>'$(Configuration)|$(Platform)'=='Release|AnyCPU'<span class="pl-pds">"</span></span>>
<<span class="pl-ent">DebugType</span>>embedded</<span class="pl-ent">DebugType</span>>
</<span class="pl-ent">PropertyGroup</span>>
<<span class="pl-ent">ItemGroup</span>>
<<span class="pl-ent">PackageReference</span> <span class="pl-e">Include</span>=<span class="pl-s"><span class="pl-pds">"</span>Microsoft.Playwright<span class="pl-pds">"</span></span> <span class="pl-e">Version</span>=<span class="pl-s"><span class="pl-pds">"</span>1.32.0<span class="pl-pds">"</span></span> />
</<span class="pl-ent">ItemGroup</span>>
</<span class="pl-ent">Project</span>></pre></div>
<h3 dir="auto">Steps</h3>
<p dir="auto">Run the app</p>
<h3 dir="auto">Expected</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Started.
Clicking: Close Google Dialog
Clicking: Sign in
Finished. Press any key."><pre class="notranslate"><code class="notranslate">Started.
Clicking: Close Google Dialog
Clicking: Sign in
Finished. Press any key.
</code></pre></div>
<h3 dir="auto">Actual</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Started.
Clicking: Close Google Dialog
Error:
Timeout 30000ms exceeded.
=========================== logs ===========================
waiting for FrameLocator("xpath=//iframe[@title='Sign in with Google Dialog']").Locator("xpath=//div[@id='close']")
locator resolved to <div id="close" tabindex="0" role="button" aria-label…>…</div>
attempting click action
waiting for element to be visible, enabled and stable
element is visible, enabled and stable
scrolling into view if needed
done scrolling
performing click action
============================================================
at Microsoft.Playwright.Transport.Connection.InnerSendMessageToServerAsync[T](String guid, String method, Dictionary`2 dictionary) in /_/src/Playwright/Transport/Connection.cs:line 180
at Microsoft.Playwright.Transport.Connection.WrapApiCallAsync[T](Func`1 action, Boolean isInternal) in /_/src/Playwright/Transport/Connection.cs:line 502
at Program.<Main>$(String[] args) in D:\source\repos\XTestPW\XTestPW\Program.cs:line 47
Clicking: Sign in
Error:
Timeout 10000ms exceeded.
=========================== logs ===========================
waiting for Locator("xpath=//a[@data-testid='login']").Locator("visible=true")
locator resolved to <a role="link" href="/login" data-testid="login" cl…>…</a>
attempting click action
waiting for element to be visible, enabled and stable
element is visible, enabled and stable
scrolling into view if needed
done scrolling
performing click action
============================================================
at Microsoft.Playwright.Transport.Connection.InnerSendMessageToServerAsync[T](String guid, String method, Dictionary`2 dictionary) in /_/src/Playwright/Transport/Connection.cs:line 180
at Microsoft.Playwright.Transport.Connection.WrapApiCallAsync[T](Func`1 action, Boolean isInternal) in /_/src/Playwright/Transport/Connection.cs:line 502
at Program.<Main>$(String[] args) in D:\source\repos\XTestPW\XTestPW\Program.cs:line 67
Finished. Press any key."><pre class="notranslate"><code class="notranslate">Started.
Clicking: Close Google Dialog
Error:
Timeout 30000ms exceeded.
=========================== logs ===========================
waiting for FrameLocator("xpath=//iframe[@title='Sign in with Google Dialog']").Locator("xpath=//div[@id='close']")
locator resolved to <div id="close" tabindex="0" role="button" aria-label…>…</div>
attempting click action
waiting for element to be visible, enabled and stable
element is visible, enabled and stable
scrolling into view if needed
done scrolling
performing click action
============================================================
at Microsoft.Playwright.Transport.Connection.InnerSendMessageToServerAsync[T](String guid, String method, Dictionary`2 dictionary) in /_/src/Playwright/Transport/Connection.cs:line 180
at Microsoft.Playwright.Transport.Connection.WrapApiCallAsync[T](Func`1 action, Boolean isInternal) in /_/src/Playwright/Transport/Connection.cs:line 502
at Program.<Main>$(String[] args) in D:\source\repos\XTestPW\XTestPW\Program.cs:line 47
Clicking: Sign in
Error:
Timeout 10000ms exceeded.
=========================== logs ===========================
waiting for Locator("xpath=//a[@data-testid='login']").Locator("visible=true")
locator resolved to <a role="link" href="/login" data-testid="login" cl…>…</a>
attempting click action
waiting for element to be visible, enabled and stable
element is visible, enabled and stable
scrolling into view if needed
done scrolling
performing click action
============================================================
at Microsoft.Playwright.Transport.Connection.InnerSendMessageToServerAsync[T](String guid, String method, Dictionary`2 dictionary) in /_/src/Playwright/Transport/Connection.cs:line 180
at Microsoft.Playwright.Transport.Connection.WrapApiCallAsync[T](Func`1 action, Boolean isInternal) in /_/src/Playwright/Transport/Connection.cs:line 502
at Program.<Main>$(String[] args) in D:\source\repos\XTestPW\XTestPW\Program.cs:line 67
Finished. Press any key.
</code></pre></div>
<h2 dir="auto">Also please note the following errors:</h2>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" at Microsoft.Playwright.Transport.Connection.InnerSendMessageToServerAsync[T](String guid, String method, Dictionary`2 dictionary) in /_/src/Playwright/Transport/Connection.cs:line 202
at Microsoft.Playwright.Transport.Connection.WrapApiCallAsync[T](Func`1 action, Boolean isInternal) in /_/src/Playwright/Transport/Connection.cs:line 508"><pre class="notranslate"><code class="notranslate"> at Microsoft.Playwright.Transport.Connection.InnerSendMessageToServerAsync[T](String guid, String method, Dictionary`2 dictionary) in /_/src/Playwright/Transport/Connection.cs:line 202
at Microsoft.Playwright.Transport.Connection.WrapApiCallAsync[T](Func`1 action, Boolean isInternal) in /_/src/Playwright/Transport/Connection.cs:line 508
</code></pre></div>
<h3 dir="auto">Thank you</h3> | <h3 dir="auto">System info</h3>
<ul dir="auto">
<li>Playwright Version: [v1.35]</li>
<li>Operating System: [All]</li>
<li>Browser: [WebKit]</li>
<li>Other info:</li>
</ul>
<h3 dir="auto">Source code</h3>
<p dir="auto"><strong>Link to the GitHub repository with the repro</strong></p>
<p dir="auto"><a href="https://github.com/VeronikaHillebrand/bug-report-playwright-webkit">https://github.com/VeronikaHillebrand/bug-report-playwright-webkit</a></p>
<p dir="auto">As you can see, Chromium and Firefox tests pass, Webkit fails:</p>
<p dir="auto"><a href="https://github.com/VeronikaHillebrand/bug-report-playwright-webkit/actions/runs/5401042799/jobs/9810308767">https://github.com/VeronikaHillebrand/bug-report-playwright-webkit/actions/runs/5401042799/jobs/9810308767</a></p>
<p dir="auto">The last version of Playwright which worked correctly was 1.34</p>
<p dir="auto">The error showing in the console is "TypeError: Attempting to define property on object that is not extensible."</p>
<a target="_blank" rel="noopener noreferrer" href="https://user-images.githubusercontent.com/128626672/249468288-f8d32a9f-e71e-4943-a4a9-04a7274d2a42.png"><img width="1249" alt="image" src="https://user-images.githubusercontent.com/128626672/249468288-f8d32a9f-e71e-4943-a4a9-04a7274d2a42.png" style="max-width: 100%;"></a>
<p dir="auto">PS: The app works fine in Safari.</p> | 0 |
<p dir="auto">With scipy 0.13.0.dev-7c6d92e, I get the following failing tests. It looks like we have different definitions of connect components. I haven't had time to investigate whether this is trivial or an actual problem.</p>
<pre class="notranslate">======================================================================
FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions
----------------------------------------------------------------------
Traceback (most recent call last):
File "/usr/lib/python2.7/dist-packages/nose/case.py", line 197, in runTest
self.test(*self.arg)
File "/volatile/varoquau/dev/scikit-learn/sklearn/feature_extraction/tests/test_image.py", line 63, in test_connect_regions
assert_equal(ndimage.label(mask)[1], connected_components(graph)[0])
AssertionError: 777 != 767
'777 != 767' = '%s != %s' % (safe_repr(777), safe_repr(767))
'777 != 767' = self._formatMessage('777 != 767', '777 != 767')
>> raise self.failureException('777 != 767')
======================================================================
FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions_with_grid
----------------------------------------------------------------------
Traceback (most recent call last):
File "/usr/lib/python2.7/dist-packages/nose/case.py", line 197, in runTest
self.test(*self.arg)
File "/volatile/varoquau/dev/scikit-learn/sklearn/feature_extraction/tests/test_image.py", line 70, in test_connect_regions_with_grid
assert_equal(ndimage.label(mask)[1], connected_components(graph)[0])
AssertionError: 777 != 767
'777 != 767' = '%s != %s' % (safe_repr(777), safe_repr(767))
'777 != 767' = self._formatMessage('777 != 767', '777 != 767')
>> raise self.failureException('777 != 767')
</pre> | <p dir="auto">I appreciate any aid in this issue, and apologize I've missed finding it in a previous issue. I've been getting the following message (I'm running on Mac OS X 10.7):</p>
<p dir="auto">Here is the full traceback:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ nosetests sklearn -exe
....................S........................................../usr/local/lib/python2.7/site-packages/sklearn/manifold/spectral_embedding.py:225: UserWarning: Graph is not fully connected, spectral embedding may not works as expected.
warnings.warn("Graph is not fully connected, spectral embedding"
...........SS.........F.....SE................................................S.........................................................S.........................................SSS....................../usr/local/lib/python2.7/site-packages/sklearn/externals/joblib/test/test_func_inspect.py:122: UserWarning: Cannot inspect object <functools.partial object at 0x10a829788>, ignore list will not work.
nose.tools.assert_equal(filter_args(ff, ['y'], (1, )),
...................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................FF......................................................................................S......................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................SSS....S....S...................................................................................................................................
======================================================================
ERROR: test suite for <module 'sklearn.datasets.tests.test_lfw' from '/usr/local/lib/python2.7/site-packages/sklearn/datasets/tests/test_lfw.pyc'>
----------------------------------------------------------------------
Traceback (most recent call last):
File "/usr/local/lib/python2.7/site-packages/nose/suite.py", line 208, in run
self.setUp()
File "/usr/local/lib/python2.7/site-packages/nose/suite.py", line 291, in setUp
self.setupContext(ancestor)
File "/usr/local/lib/python2.7/site-packages/nose/suite.py", line 314, in setupContext
try_run(context, names)
File "/usr/local/lib/python2.7/site-packages/nose/util.py", line 469, in try_run
return func()
File "/usr/local/lib/python2.7/site-packages/sklearn/datasets/tests/test_lfw.py", line 72, in setup_module
imsave(file_path, uniface)
File "/Users/admin/src/scipy/scipy/misc/pilutil.py", line 160, in imsave
im.save(name)
File "/usr/local/lib/python2.7/site-packages/PIL/Image.py", line 1439, in save
save_handler(self, fp, filename)
File "/usr/local/lib/python2.7/site-packages/PIL/JpegImagePlugin.py", line 471, in _save
ImageFile._save(im, fp, [("jpeg", (0,0)+im.size, 0, rawmode)])
File "/usr/local/lib/python2.7/site-packages/PIL/ImageFile.py", line 495, in _save
e = Image._getencoder(im.mode, e, a, im.encoderconfig)
File "/usr/local/lib/python2.7/site-packages/PIL/Image.py", line 401, in _getencoder
raise IOError("encoder %s not available" % encoder_name)
IOError: encoder jpeg not available
======================================================================
FAIL: sklearn.datasets.tests.test_base.test_load_sample_image
----------------------------------------------------------------------
Traceback (most recent call last):
File "/usr/local/lib/python2.7/site-packages/nose/case.py", line 197, in runTest
self.test(*self.arg)
File "/usr/local/lib/python2.7/site-packages/sklearn/datasets/tests/test_base.py", line 142, in test_load_sample_image
assert_equal(china.dtype, 'uint8')
AssertionError: dtype('O') != 'uint8'
======================================================================
FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions
----------------------------------------------------------------------
Traceback (most recent call last):
File "/usr/local/lib/python2.7/site-packages/nose/case.py", line 197, in runTest
self.test(*self.arg)
File "/usr/local/lib/python2.7/site-packages/sklearn/feature_extraction/tests/test_image.py", line 63, in test_connect_regions
assert_equal(ndimage.label(mask)[1], cs_graph_components(graph)[0])
AssertionError: 777 != 767
======================================================================
FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions_with_grid
----------------------------------------------------------------------
Traceback (most recent call last):
File "/usr/local/lib/python2.7/site-packages/nose/case.py", line 197, in runTest
self.test(*self.arg)
File "/usr/local/lib/python2.7/site-packages/sklearn/feature_extraction/tests/test_image.py", line 70, in test_connect_regions_with_grid
assert_equal(ndimage.label(mask)[1], cs_graph_components(graph)[0])
AssertionError: 777 != 767
----------------------------------------------------------------------
Ran 1595 tests in 81.893s
FAILED (SKIP=15, errors=1, failures=3)"><pre class="notranslate"><code class="notranslate">$ nosetests sklearn -exe
....................S........................................../usr/local/lib/python2.7/site-packages/sklearn/manifold/spectral_embedding.py:225: UserWarning: Graph is not fully connected, spectral embedding may not works as expected.
warnings.warn("Graph is not fully connected, spectral embedding"
...........SS.........F.....SE................................................S.........................................................S.........................................SSS....................../usr/local/lib/python2.7/site-packages/sklearn/externals/joblib/test/test_func_inspect.py:122: UserWarning: Cannot inspect object <functools.partial object at 0x10a829788>, ignore list will not work.
nose.tools.assert_equal(filter_args(ff, ['y'], (1, )),
...................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................FF......................................................................................S......................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................................SSS....S....S...................................................................................................................................
======================================================================
ERROR: test suite for <module 'sklearn.datasets.tests.test_lfw' from '/usr/local/lib/python2.7/site-packages/sklearn/datasets/tests/test_lfw.pyc'>
----------------------------------------------------------------------
Traceback (most recent call last):
File "/usr/local/lib/python2.7/site-packages/nose/suite.py", line 208, in run
self.setUp()
File "/usr/local/lib/python2.7/site-packages/nose/suite.py", line 291, in setUp
self.setupContext(ancestor)
File "/usr/local/lib/python2.7/site-packages/nose/suite.py", line 314, in setupContext
try_run(context, names)
File "/usr/local/lib/python2.7/site-packages/nose/util.py", line 469, in try_run
return func()
File "/usr/local/lib/python2.7/site-packages/sklearn/datasets/tests/test_lfw.py", line 72, in setup_module
imsave(file_path, uniface)
File "/Users/admin/src/scipy/scipy/misc/pilutil.py", line 160, in imsave
im.save(name)
File "/usr/local/lib/python2.7/site-packages/PIL/Image.py", line 1439, in save
save_handler(self, fp, filename)
File "/usr/local/lib/python2.7/site-packages/PIL/JpegImagePlugin.py", line 471, in _save
ImageFile._save(im, fp, [("jpeg", (0,0)+im.size, 0, rawmode)])
File "/usr/local/lib/python2.7/site-packages/PIL/ImageFile.py", line 495, in _save
e = Image._getencoder(im.mode, e, a, im.encoderconfig)
File "/usr/local/lib/python2.7/site-packages/PIL/Image.py", line 401, in _getencoder
raise IOError("encoder %s not available" % encoder_name)
IOError: encoder jpeg not available
======================================================================
FAIL: sklearn.datasets.tests.test_base.test_load_sample_image
----------------------------------------------------------------------
Traceback (most recent call last):
File "/usr/local/lib/python2.7/site-packages/nose/case.py", line 197, in runTest
self.test(*self.arg)
File "/usr/local/lib/python2.7/site-packages/sklearn/datasets/tests/test_base.py", line 142, in test_load_sample_image
assert_equal(china.dtype, 'uint8')
AssertionError: dtype('O') != 'uint8'
======================================================================
FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions
----------------------------------------------------------------------
Traceback (most recent call last):
File "/usr/local/lib/python2.7/site-packages/nose/case.py", line 197, in runTest
self.test(*self.arg)
File "/usr/local/lib/python2.7/site-packages/sklearn/feature_extraction/tests/test_image.py", line 63, in test_connect_regions
assert_equal(ndimage.label(mask)[1], cs_graph_components(graph)[0])
AssertionError: 777 != 767
======================================================================
FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions_with_grid
----------------------------------------------------------------------
Traceback (most recent call last):
File "/usr/local/lib/python2.7/site-packages/nose/case.py", line 197, in runTest
self.test(*self.arg)
File "/usr/local/lib/python2.7/site-packages/sklearn/feature_extraction/tests/test_image.py", line 70, in test_connect_regions_with_grid
assert_equal(ndimage.label(mask)[1], cs_graph_components(graph)[0])
AssertionError: 777 != 767
----------------------------------------------------------------------
Ran 1595 tests in 81.893s
FAILED (SKIP=15, errors=1, failures=3)
</code></pre></div> | 1 |
<p dir="auto">Passing invalid inputs to <code class="notranslate">ndarray.flat</code> will raise an error, but after the interpreter finishes there's a reference count error (python attempts to deallocate the integer 7):</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=">>> import numpy as np
>>> np.arange(3).flat[None]
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
IndexError: unsupported iterator index
>>>
*** Reference count error detected:
an attempt was made to deallocate 7 (l) ***"><pre class="notranslate"><code class="notranslate">>>> import numpy as np
>>> np.arange(3).flat[None]
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
IndexError: unsupported iterator index
>>>
*** Reference count error detected:
an attempt was made to deallocate 7 (l) ***
</code></pre></div>
<p dir="auto">The issue is there in master.</p>
<p dir="auto"><del>This is probably related to (or a duplicate of) <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="173627313" data-permission-text="Title is private" data-url="https://github.com/numpy/numpy/issues/7982" data-hovercard-type="issue" data-hovercard-url="/numpy/numpy/issues/7982/hovercard" href="https://github.com/numpy/numpy/issues/7982">#7982</a>. The reason why I'm not sure this is a duplicate is because the other issue tries assigning to invalid memory, whereas here we're only attempting a read, and that could fail before breaking anything.</del> Update: Since this is a different part of the code (subscription rather than subscripted assignment) and the input type triggering the error is different, I don't think it's related to that issue after all.</p> | <p dir="auto">This is a weird bug that is hard to reproduce because, honestly, we don't know what's causing it. A code I work on at NASA uses f2py in a couple of places. And, say, for me, there is never any problem. But for a growing number of our users, they have an issue where f2py just does not work for them. The symptom seems to be that something in their environment causes the f2py compiler detection (done through distutils, I think) to go a bit nuts. For example, for some users if they have:</p>
<p dir="auto"><code class="notranslate">echo</code></p>
<p dir="auto">in their .cshrc/.tcshrc file, f2py stops working.</p>
<p dir="auto">Now, in some cases, I can get them working by instead of just pointing to the name of the compiler:</p>
<p dir="auto"><code class="notranslate">f2py --f77exec=mpiifort --f90exec=mpiifort --fcompiler=intelem</code></p>
<p dir="auto">I pass in the full path:</p>
<p dir="auto"><code class="notranslate">f2py --f77exec=/full/path/to/mpiifort --f90exec=/full/path/to/mpiifort --fcompiler=intelem</code></p>
<p dir="auto">But, again, this doesn't always work. For some users it doesn't help, the issue seems to be that even though we've told f2py that we are using Intel/intelem, it finds gfortran in the environment, tells ifort to use the flags for that, and ifort -fopenmp crashes.</p>
<p dir="auto">Eventually, a user was able to "fix" this by adding a line to <code class="notranslate">exec_command.py</code> after:</p>
<p dir="auto"></p><div class="Box Box--condensed my-2">
<div class="Box-header f6">
<p class="mb-0 text-bold">
<a href="https://github.com/numpy/numpy/blob/d210300bc1b1a849a5df618b47b00cba501f51b4/numpy/distutils/exec_command.py#L233-L240">numpy/numpy/distutils/exec_command.py</a>
</p>
<p class="mb-0 color-fg-muted">
Lines 233 to 240
in
<a data-pjax="true" class="commit-tease-sha" href="/numpy/numpy/commit/d210300bc1b1a849a5df618b47b00cba501f51b4">d210300</a>
</p>
</div>
<div itemprop="text" class="Box-body p-0 blob-wrapper blob-wrapper-embedded data">
<table class="highlight tab-size mb-0 js-file-line-container" data-tab-size="8" data-paste-markdown-skip="">
<tbody><tr class="border-0">
<td id="L233" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="233"></td>
<td id="LC233" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-k">if</span> <span class="pl-s1">os</span>.<span class="pl-s1">name</span> <span class="pl-c1">==</span> <span class="pl-s">'posix'</span> <span class="pl-c1">and</span> <span class="pl-s1">use_shell</span>: </td>
</tr>
<tr class="border-0">
<td id="L234" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="234"></td>
<td id="LC234" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-c"># On POSIX, subprocess always uses /bin/sh, override</span> </td>
</tr>
<tr class="border-0">
<td id="L235" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="235"></td>
<td id="LC235" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-s1">sh</span> <span class="pl-c1">=</span> <span class="pl-s1">os</span>.<span class="pl-s1">environ</span>.<span class="pl-en">get</span>(<span class="pl-s">'SHELL'</span>, <span class="pl-s">'/bin/sh'</span>) </td>
</tr>
<tr class="border-0">
<td id="L236" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="236"></td>
<td id="LC236" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-k">if</span> <span class="pl-en">is_sequence</span>(<span class="pl-s1">command</span>): </td>
</tr>
<tr class="border-0">
<td id="L237" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="237"></td>
<td id="LC237" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-s1">command</span> <span class="pl-c1">=</span> [<span class="pl-s1">sh</span>, <span class="pl-s">'-c'</span>, <span class="pl-s">' '</span>.<span class="pl-en">join</span>(<span class="pl-s1">command</span>)] </td>
</tr>
<tr class="border-0">
<td id="L238" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="238"></td>
<td id="LC238" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-k">else</span>: </td>
</tr>
<tr class="border-0">
<td id="L239" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="239"></td>
<td id="LC239" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-s1">command</span> <span class="pl-c1">=</span> [<span class="pl-s1">sh</span>, <span class="pl-s">'-c'</span>, <span class="pl-s1">command</span>] </td>
</tr>
<tr class="border-0">
<td id="L240" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="240"></td>
<td id="LC240" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-s1">use_shell</span> <span class="pl-c1">=</span> <span class="pl-c1">False</span> </td>
</tr>
</tbody></table>
</div>
</div>
<p></p>
<p dir="auto">of <code class="notranslate">command.insert(1, '-f')</code>. By doing this, the shell command does not load the rc file in tcsh/csh.</p>
<p dir="auto">By default, <code class="notranslate">tcsh -c command</code> will source the resource file, which can lead to issues. (For other shells, <code class="notranslate">-f</code> seems to be pretty neutral in, say, bash and zsh. I haven't tested in fish, but I'm guessing fish is weird enough it doesn't work.) We can't envision scenarios where f2py needs environment variables from sourcing the resource/startup files when this command is run.</p>
<p dir="auto">Our shop mainly uses tcsh as the interactive shell due to historical and practical reasons, so this is important to us, so much so that we are planning on editing any <code class="notranslate">numpy</code> we get from Anaconda, Intel, wherever.</p>
<h3 dir="auto">Reproducing code example:</h3>
<p dir="auto">I was able to reproduce this with and without the <code class="notranslate">echo</code> in the rc file using the <code class="notranslate">fib1.f</code> example here: <a href="https://docs.scipy.org/doc/numpy/f2py/getting-started.html" rel="nofollow">https://docs.scipy.org/doc/numpy/f2py/getting-started.html</a> but another user couldn't replicate it.</p>
<h3 dir="auto">Error message:</h3>
<p dir="auto">I'm attaching three files for this so you can see what's happening. In one case I pass in the full FC path and things work. In the next, I don't use the full path and it fails. In the last, I patch our distutils and don't pass in the full path and things work.</p>
<p dir="auto"><a href="https://github.com/numpy/numpy/files/2325168/fullfc.log">fullfc.log</a><br>
<a href="https://github.com/numpy/numpy/files/2325169/nofullfc.log">nofullfc.log</a><br>
<a href="https://github.com/numpy/numpy/files/2325170/nofullfc.patch.log">nofullfc.patch.log</a></p>
<p dir="auto">I'll also attach two files from a colleague who got hurt with this and he inserted prints into the f2py process:</p>
<p dir="auto"><a href="https://github.com/numpy/numpy/files/2325189/outY.log">outY.log</a><br>
<a href="https://github.com/numpy/numpy/files/2325190/outX.log">outX.log</a></p>
<p dir="auto">This seems to show it's during the <code class="notranslate">exec_command</code> for the compiler version.</p>
<h3 dir="auto">Numpy/Python version information:</h3>
<p dir="auto"><code class="notranslate">('1.14.2', '2.7.14 |Anaconda, Inc.| (default, Mar 27 2018, 17:29:31) \n[GCC 7.2.0]')</code></p> | 0 |
<h3 dir="auto">Input Code</h3>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" const tryCatchWrapper = (target) => async (...targetArgs) => {
try {
return target(...targetArgs);
} catch (e) {
throw errorObj({_error: e.message});
}
};"><pre class="notranslate"> <span class="pl-k">const</span> <span class="pl-en">tryCatchWrapper</span> <span class="pl-c1">=</span> <span class="pl-kos">(</span><span class="pl-s1">target</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-k">async</span> <span class="pl-kos">(</span>...<span class="pl-s1">targetArgs</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-kos">{</span>
<span class="pl-k">try</span> <span class="pl-kos">{</span>
<span class="pl-k">return</span> <span class="pl-s1">target</span><span class="pl-kos">(</span>...<span class="pl-s1">targetArgs</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span> <span class="pl-k">catch</span> <span class="pl-kos">(</span><span class="pl-s1">e</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">throw</span> <span class="pl-en">errorObj</span><span class="pl-kos">(</span><span class="pl-kos">{</span><span class="pl-c1">_error</span>: <span class="pl-s1">e</span><span class="pl-kos">.</span><span class="pl-c1">message</span><span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span></pre></div>
<h3 dir="auto">Babel Configuration (.babelrc, package.json, cli command)</h3>
<p dir="auto">babeljs.io standard config</p>
<h3 dir="auto">Expected Behavior</h3>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=""use strict";
function _asyncToGenerator(fn) { return function () { var gen = fn.apply(this, arguments); return new Promise(function (resolve, reject) { function step(key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { return Promise.resolve(value).then(function (value) { step("next", value); }, function (err) { step("throw", err); }); } } return step("next"); }); }; }
var tryCatchWrapper = function tryCatchWrapper(target) {
return function () {
var _ref = _asyncToGenerator(regeneratorRuntime.mark(function _callee() {
for (var _len = arguments.length, targetArgs = Array(_len), _key = 0; _key < _len; _key++) {
targetArgs[_key] = arguments[_key];
}
return regeneratorRuntime.wrap(function _callee$(_context) {
while (1) {
switch (_context.prev = _context.next) {
case 0:
_context.prev = 0;
targetArgs;
return _context.abrupt("return", target.apply(undefined, targetArgs));
case 5:
_context.prev = 5;
_context.t0 = _context["catch"](0);
throw errorObj({ _error: _context.t0.message });
case 8:
case "end":
return _context.stop();
}
}
}, _callee, undefined, [[0, 5]]);
}));
return function () {
return _ref.apply(this, arguments);
};
}();
};"><pre class="notranslate"><span class="pl-s">"use strict"</span><span class="pl-kos">;</span>
<span class="pl-k">function</span> <span class="pl-en">_asyncToGenerator</span><span class="pl-kos">(</span><span class="pl-s1">fn</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">return</span> <span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">var</span> <span class="pl-s1">gen</span> <span class="pl-c1">=</span> <span class="pl-s1">fn</span><span class="pl-kos">.</span><span class="pl-en">apply</span><span class="pl-kos">(</span><span class="pl-smi">this</span><span class="pl-kos">,</span> <span class="pl-smi">arguments</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-k">return</span> <span class="pl-k">new</span> <span class="pl-v">Promise</span><span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-s1">resolve</span><span class="pl-kos">,</span> <span class="pl-s1">reject</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">function</span> <span class="pl-en">step</span><span class="pl-kos">(</span><span class="pl-s1">key</span><span class="pl-kos">,</span> <span class="pl-s1">arg</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">try</span> <span class="pl-kos">{</span> <span class="pl-k">var</span> <span class="pl-s1">info</span> <span class="pl-c1">=</span> <span class="pl-s1">gen</span><span class="pl-kos">[</span><span class="pl-s1">key</span><span class="pl-kos">]</span><span class="pl-kos">(</span><span class="pl-s1">arg</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-k">var</span> <span class="pl-s1">value</span> <span class="pl-c1">=</span> <span class="pl-s1">info</span><span class="pl-kos">.</span><span class="pl-c1">value</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-k">catch</span> <span class="pl-kos">(</span><span class="pl-s1">error</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-s1">reject</span><span class="pl-kos">(</span><span class="pl-s1">error</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-k">return</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-k">if</span> <span class="pl-kos">(</span><span class="pl-s1">info</span><span class="pl-kos">.</span><span class="pl-c1">done</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-s1">resolve</span><span class="pl-kos">(</span><span class="pl-s1">value</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-k">else</span> <span class="pl-kos">{</span> <span class="pl-k">return</span> <span class="pl-v">Promise</span><span class="pl-kos">.</span><span class="pl-en">resolve</span><span class="pl-kos">(</span><span class="pl-s1">value</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">then</span><span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-s1">value</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-en">step</span><span class="pl-kos">(</span><span class="pl-s">"next"</span><span class="pl-kos">,</span> <span class="pl-s1">value</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span><span class="pl-kos">,</span> <span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-s1">err</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-en">step</span><span class="pl-kos">(</span><span class="pl-s">"throw"</span><span class="pl-kos">,</span> <span class="pl-s1">err</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-kos">}</span> <span class="pl-k">return</span> <span class="pl-en">step</span><span class="pl-kos">(</span><span class="pl-s">"next"</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span><span class="pl-kos">;</span> <span class="pl-kos">}</span>
<span class="pl-k">var</span> <span class="pl-en">tryCatchWrapper</span> <span class="pl-c1">=</span> <span class="pl-k">function</span> <span class="pl-en">tryCatchWrapper</span><span class="pl-kos">(</span><span class="pl-s1">target</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">return</span> <span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">var</span> <span class="pl-s1">_ref</span> <span class="pl-c1">=</span> <span class="pl-en">_asyncToGenerator</span><span class="pl-kos">(</span><span class="pl-s1">regeneratorRuntime</span><span class="pl-kos">.</span><span class="pl-en">mark</span><span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-en">_callee</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">for</span> <span class="pl-kos">(</span><span class="pl-k">var</span> <span class="pl-s1">_len</span> <span class="pl-c1">=</span> <span class="pl-smi">arguments</span><span class="pl-kos">.</span><span class="pl-c1">length</span><span class="pl-kos">,</span> <span class="pl-s1">targetArgs</span> <span class="pl-c1">=</span> <span class="pl-v">Array</span><span class="pl-kos">(</span><span class="pl-s1">_len</span><span class="pl-kos">)</span><span class="pl-kos">,</span> <span class="pl-s1">_key</span> <span class="pl-c1">=</span> <span class="pl-c1">0</span><span class="pl-kos">;</span> <span class="pl-s1">_key</span> <span class="pl-c1"><</span> <span class="pl-s1">_len</span><span class="pl-kos">;</span> <span class="pl-s1">_key</span><span class="pl-c1">++</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-s1">targetArgs</span><span class="pl-kos">[</span><span class="pl-s1">_key</span><span class="pl-kos">]</span> <span class="pl-c1">=</span> <span class="pl-smi">arguments</span><span class="pl-kos">[</span><span class="pl-s1">_key</span><span class="pl-kos">]</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-k">return</span> <span class="pl-s1">regeneratorRuntime</span><span class="pl-kos">.</span><span class="pl-en">wrap</span><span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-en">_callee$</span><span class="pl-kos">(</span><span class="pl-s1">_context</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">while</span> <span class="pl-kos">(</span><span class="pl-c1">1</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">switch</span> <span class="pl-kos">(</span><span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">prev</span> <span class="pl-c1">=</span> <span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">next</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">case</span> <span class="pl-c1">0</span>:
<span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">prev</span> <span class="pl-c1">=</span> <span class="pl-c1">0</span><span class="pl-kos">;</span>
<span class="pl-s1">targetArgs</span><span class="pl-kos">;</span>
<span class="pl-k">return</span> <span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-en">abrupt</span><span class="pl-kos">(</span><span class="pl-s">"return"</span><span class="pl-kos">,</span> <span class="pl-s1">target</span><span class="pl-kos">.</span><span class="pl-en">apply</span><span class="pl-kos">(</span><span class="pl-c1">undefined</span><span class="pl-kos">,</span> <span class="pl-s1">targetArgs</span><span class="pl-kos">)</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">case</span> <span class="pl-c1">5</span>:
<span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">prev</span> <span class="pl-c1">=</span> <span class="pl-c1">5</span><span class="pl-kos">;</span>
<span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">t0</span> <span class="pl-c1">=</span> <span class="pl-s1">_context</span><span class="pl-kos">[</span><span class="pl-s">"catch"</span><span class="pl-kos">]</span><span class="pl-kos">(</span><span class="pl-c1">0</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">throw</span> <span class="pl-en">errorObj</span><span class="pl-kos">(</span><span class="pl-kos">{</span> <span class="pl-c1">_error</span>: <span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">t0</span><span class="pl-kos">.</span><span class="pl-c1">message</span> <span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">case</span> <span class="pl-c1">8</span>:
<span class="pl-k">case</span> <span class="pl-s">"end"</span>:
<span class="pl-k">return</span> <span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-en">stop</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-kos">}</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span> <span class="pl-s1">_callee</span><span class="pl-kos">,</span> <span class="pl-c1">undefined</span><span class="pl-kos">,</span> <span class="pl-kos">[</span><span class="pl-kos">[</span><span class="pl-c1">0</span><span class="pl-kos">,</span> <span class="pl-c1">5</span><span class="pl-kos">]</span><span class="pl-kos">]</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">return</span> <span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">return</span> <span class="pl-s1">_ref</span><span class="pl-kos">.</span><span class="pl-en">apply</span><span class="pl-kos">(</span><span class="pl-smi">this</span><span class="pl-kos">,</span> <span class="pl-smi">arguments</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span></pre></div>
<h3 dir="auto">Current Behavior</h3>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=""use strict";
var _arguments = arguments;
function _asyncToGenerator(fn) { return function () { var gen = fn.apply(this, arguments); return new Promise(function (resolve, reject) { function step(key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { return Promise.resolve(value).then(function (value) { step("next", value); }, function (err) { step("throw", err); }); } } return step("next"); }); }; }
var tryCatchWrapper = function tryCatchWrapper(target) {
return function () {
var _ref = _asyncToGenerator(regeneratorRuntime.mark(function _callee() {
var _args = _arguments;
return regeneratorRuntime.wrap(function _callee$(_context) {
while (1) {
switch (_context.prev = _context.next) {
case 0:
_context.prev = 0;
return _context.abrupt("return", target.apply(undefined, _args));
case 4:
_context.prev = 4;
_context.t0 = _context["catch"](0);
throw errorObj({ _error: _context.t0.message });
case 7:
case "end":
return _context.stop();
}
}
}, _callee, undefined, [[0, 4]]);
}));
return function () {
return _ref.apply(this, arguments);
};
}();
};"><pre class="notranslate"><span class="pl-s">"use strict"</span><span class="pl-kos">;</span>
<span class="pl-k">var</span> <span class="pl-s1">_arguments</span> <span class="pl-c1">=</span> <span class="pl-smi">arguments</span><span class="pl-kos">;</span>
<span class="pl-k">function</span> <span class="pl-en">_asyncToGenerator</span><span class="pl-kos">(</span><span class="pl-s1">fn</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">return</span> <span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">var</span> <span class="pl-s1">gen</span> <span class="pl-c1">=</span> <span class="pl-s1">fn</span><span class="pl-kos">.</span><span class="pl-en">apply</span><span class="pl-kos">(</span><span class="pl-smi">this</span><span class="pl-kos">,</span> <span class="pl-smi">arguments</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-k">return</span> <span class="pl-k">new</span> <span class="pl-v">Promise</span><span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-s1">resolve</span><span class="pl-kos">,</span> <span class="pl-s1">reject</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">function</span> <span class="pl-en">step</span><span class="pl-kos">(</span><span class="pl-s1">key</span><span class="pl-kos">,</span> <span class="pl-s1">arg</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">try</span> <span class="pl-kos">{</span> <span class="pl-k">var</span> <span class="pl-s1">info</span> <span class="pl-c1">=</span> <span class="pl-s1">gen</span><span class="pl-kos">[</span><span class="pl-s1">key</span><span class="pl-kos">]</span><span class="pl-kos">(</span><span class="pl-s1">arg</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-k">var</span> <span class="pl-s1">value</span> <span class="pl-c1">=</span> <span class="pl-s1">info</span><span class="pl-kos">.</span><span class="pl-c1">value</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-k">catch</span> <span class="pl-kos">(</span><span class="pl-s1">error</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-s1">reject</span><span class="pl-kos">(</span><span class="pl-s1">error</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-k">return</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-k">if</span> <span class="pl-kos">(</span><span class="pl-s1">info</span><span class="pl-kos">.</span><span class="pl-c1">done</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-s1">resolve</span><span class="pl-kos">(</span><span class="pl-s1">value</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-k">else</span> <span class="pl-kos">{</span> <span class="pl-k">return</span> <span class="pl-v">Promise</span><span class="pl-kos">.</span><span class="pl-en">resolve</span><span class="pl-kos">(</span><span class="pl-s1">value</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">then</span><span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-s1">value</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-en">step</span><span class="pl-kos">(</span><span class="pl-s">"next"</span><span class="pl-kos">,</span> <span class="pl-s1">value</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span><span class="pl-kos">,</span> <span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-s1">err</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-en">step</span><span class="pl-kos">(</span><span class="pl-s">"throw"</span><span class="pl-kos">,</span> <span class="pl-s1">err</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span> <span class="pl-kos">}</span> <span class="pl-k">return</span> <span class="pl-en">step</span><span class="pl-kos">(</span><span class="pl-s">"next"</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span><span class="pl-kos">;</span> <span class="pl-kos">}</span>
<span class="pl-k">var</span> <span class="pl-en">tryCatchWrapper</span> <span class="pl-c1">=</span> <span class="pl-k">function</span> <span class="pl-en">tryCatchWrapper</span><span class="pl-kos">(</span><span class="pl-s1">target</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">return</span> <span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">var</span> <span class="pl-s1">_ref</span> <span class="pl-c1">=</span> <span class="pl-en">_asyncToGenerator</span><span class="pl-kos">(</span><span class="pl-s1">regeneratorRuntime</span><span class="pl-kos">.</span><span class="pl-en">mark</span><span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-en">_callee</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">var</span> <span class="pl-s1">_args</span> <span class="pl-c1">=</span> <span class="pl-s1">_arguments</span><span class="pl-kos">;</span>
<span class="pl-k">return</span> <span class="pl-s1">regeneratorRuntime</span><span class="pl-kos">.</span><span class="pl-en">wrap</span><span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-en">_callee$</span><span class="pl-kos">(</span><span class="pl-s1">_context</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">while</span> <span class="pl-kos">(</span><span class="pl-c1">1</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">switch</span> <span class="pl-kos">(</span><span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">prev</span> <span class="pl-c1">=</span> <span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">next</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">case</span> <span class="pl-c1">0</span>:
<span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">prev</span> <span class="pl-c1">=</span> <span class="pl-c1">0</span><span class="pl-kos">;</span>
<span class="pl-k">return</span> <span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-en">abrupt</span><span class="pl-kos">(</span><span class="pl-s">"return"</span><span class="pl-kos">,</span> <span class="pl-s1">target</span><span class="pl-kos">.</span><span class="pl-en">apply</span><span class="pl-kos">(</span><span class="pl-c1">undefined</span><span class="pl-kos">,</span> <span class="pl-s1">_args</span><span class="pl-kos">)</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">case</span> <span class="pl-c1">4</span>:
<span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">prev</span> <span class="pl-c1">=</span> <span class="pl-c1">4</span><span class="pl-kos">;</span>
<span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">t0</span> <span class="pl-c1">=</span> <span class="pl-s1">_context</span><span class="pl-kos">[</span><span class="pl-s">"catch"</span><span class="pl-kos">]</span><span class="pl-kos">(</span><span class="pl-c1">0</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">throw</span> <span class="pl-en">errorObj</span><span class="pl-kos">(</span><span class="pl-kos">{</span> <span class="pl-c1">_error</span>: <span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-c1">t0</span><span class="pl-kos">.</span><span class="pl-c1">message</span> <span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">case</span> <span class="pl-c1">7</span>:
<span class="pl-k">case</span> <span class="pl-s">"end"</span>:
<span class="pl-k">return</span> <span class="pl-s1">_context</span><span class="pl-kos">.</span><span class="pl-en">stop</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-kos">}</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span> <span class="pl-s1">_callee</span><span class="pl-kos">,</span> <span class="pl-c1">undefined</span><span class="pl-kos">,</span> <span class="pl-kos">[</span><span class="pl-kos">[</span><span class="pl-c1">0</span><span class="pl-kos">,</span> <span class="pl-c1">4</span><span class="pl-kos">]</span><span class="pl-kos">]</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">return</span> <span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">return</span> <span class="pl-s1">_ref</span><span class="pl-kos">.</span><span class="pl-en">apply</span><span class="pl-kos">(</span><span class="pl-smi">this</span><span class="pl-kos">,</span> <span class="pl-smi">arguments</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span></pre></div>
<h3 dir="auto">Possible Solution</h3>
<p dir="auto">Reference the destructured args:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" const tryCatchWrapper = (target) => async (...targetArgs) => {
try {
targetArgs; // do this!
return target(...targetArgs);
} catch (e) {
throw errorObj({_error: e.message});
}
};"><pre class="notranslate"> <span class="pl-k">const</span> <span class="pl-en">tryCatchWrapper</span> <span class="pl-c1">=</span> <span class="pl-kos">(</span><span class="pl-s1">target</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-k">async</span> <span class="pl-kos">(</span>...<span class="pl-s1">targetArgs</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-kos">{</span>
<span class="pl-k">try</span> <span class="pl-kos">{</span>
<span class="pl-s1">targetArgs</span><span class="pl-kos">;</span> <span class="pl-c">// do this!</span>
<span class="pl-k">return</span> <span class="pl-s1">target</span><span class="pl-kos">(</span>...<span class="pl-s1">targetArgs</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span> <span class="pl-k">catch</span> <span class="pl-kos">(</span><span class="pl-s1">e</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">throw</span> <span class="pl-en">errorObj</span><span class="pl-kos">(</span><span class="pl-kos">{</span><span class="pl-c1">_error</span>: <span class="pl-s1">e</span><span class="pl-kos">.</span><span class="pl-c1">message</span><span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span></pre></div>
<h3 dir="auto">Context</h3>
<p dir="auto">Made a try/catch wrapper for calling stripe. it bugs out! But then when i put a <code class="notranslate">console.log</code> in there, it works fine, which makes it extra confusing.<br>
A call might look like this:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="stripe.invoices.retrieveUpcoming = tryCatchWrapper(stripe.invoices.retrieveUpcoming.bind(stripe.invoices));"><pre class="notranslate"><span class="pl-s1">stripe</span><span class="pl-kos">.</span><span class="pl-c1">invoices</span><span class="pl-kos">.</span><span class="pl-c1">retrieveUpcoming</span> <span class="pl-c1">=</span> <span class="pl-en">tryCatchWrapper</span><span class="pl-kos">(</span><span class="pl-s1">stripe</span><span class="pl-kos">.</span><span class="pl-c1">invoices</span><span class="pl-kos">.</span><span class="pl-c1">retrieveUpcoming</span><span class="pl-kos">.</span><span class="pl-en">bind</span><span class="pl-kos">(</span><span class="pl-s1">stripe</span><span class="pl-kos">.</span><span class="pl-c1">invoices</span><span class="pl-kos">)</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div>
<h3 dir="auto">Your Environment</h3>
<p dir="auto">babeljs.io</p> | <h2 dir="auto">Bug Report</h2>
<p dir="auto">The preset seems to think that Android does not support anything and enables every plugin because of <code class="notranslate">"android": "67"</code> support. Chrome for Android should support most features in that version.</p>
<p dir="auto">I set up an <a href="https://github.com/luzat/babel-preset-env-demo">example repository</a> with basic configuration and debug enabled. Output after <code class="notranslate">npm install</code>/<code class="notranslate">yarn install</code> and <code class="notranslate">npm run demo</code>/<code class="notranslate">yarn run demo</code> is:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="> [email protected] demo /home/tom/p/babel-preset-env-demo
> babel index.js
@babel/preset-env: `DEBUG` option
Using targets:
{
"android": "67",
"chrome": "66",
"edge": "17",
"firefox": "60",
"ios": "11",
"safari": "11.1"
}
Using modules transform: commonjs
Using plugins:
transform-template-literals { "android":"67" }
transform-literals { "android":"67" }
transform-function-name { "android":"67", "edge":"17" }
transform-arrow-functions { "android":"67" }
transform-block-scoped-functions { "android":"67" }
transform-classes { "android":"67" }
transform-object-super { "android":"67" }
transform-shorthand-properties { "android":"67" }
transform-duplicate-keys { "android":"67" }
transform-computed-properties { "android":"67" }
transform-for-of { "android":"67" }
transform-sticky-regex { "android":"67" }
transform-dotall-regex { "android":"67", "edge":"17", "firefox":"60", "ios":"11" }
transform-unicode-regex { "android":"67" }
transform-spread { "android":"67" }
transform-parameters { "android":"67" }
transform-destructuring { "android":"67", "edge":"17" }
transform-block-scoping { "android":"67" }
transform-typeof-symbol { "android":"67" }
transform-new-target { "android":"67" }
transform-regenerator { "android":"67" }
transform-exponentiation-operator { "android":"67" }
transform-async-to-generator { "android":"67" }
proposal-async-generator-functions { "android":"67", "edge":"17", "ios":"11", "safari":"11.1" }
proposal-object-rest-spread { "android":"67", "edge":"17", "ios":"11" }
proposal-unicode-property-regex { "android":"67", "edge":"17", "firefox":"60", "ios":"11" }
Using polyfills: No polyfills were added, since the `useBuiltIns` option was not set.
"use strict";"><pre class="notranslate"><code class="notranslate">> [email protected] demo /home/tom/p/babel-preset-env-demo
> babel index.js
@babel/preset-env: `DEBUG` option
Using targets:
{
"android": "67",
"chrome": "66",
"edge": "17",
"firefox": "60",
"ios": "11",
"safari": "11.1"
}
Using modules transform: commonjs
Using plugins:
transform-template-literals { "android":"67" }
transform-literals { "android":"67" }
transform-function-name { "android":"67", "edge":"17" }
transform-arrow-functions { "android":"67" }
transform-block-scoped-functions { "android":"67" }
transform-classes { "android":"67" }
transform-object-super { "android":"67" }
transform-shorthand-properties { "android":"67" }
transform-duplicate-keys { "android":"67" }
transform-computed-properties { "android":"67" }
transform-for-of { "android":"67" }
transform-sticky-regex { "android":"67" }
transform-dotall-regex { "android":"67", "edge":"17", "firefox":"60", "ios":"11" }
transform-unicode-regex { "android":"67" }
transform-spread { "android":"67" }
transform-parameters { "android":"67" }
transform-destructuring { "android":"67", "edge":"17" }
transform-block-scoping { "android":"67" }
transform-typeof-symbol { "android":"67" }
transform-new-target { "android":"67" }
transform-regenerator { "android":"67" }
transform-exponentiation-operator { "android":"67" }
transform-async-to-generator { "android":"67" }
proposal-async-generator-functions { "android":"67", "edge":"17", "ios":"11", "safari":"11.1" }
proposal-object-rest-spread { "android":"67", "edge":"17", "ios":"11" }
proposal-unicode-property-regex { "android":"67", "edge":"17", "firefox":"60", "ios":"11" }
Using polyfills: No polyfills were added, since the `useBuiltIns` option was not set.
"use strict";
</code></pre></div>
<p dir="auto">I would expect the Android browser to support most if not all of these. I guess there is a mapping from Android to the equivalent Chrome versions missing at some point (compat-table, caniuse, browserslist?) and I recall having used Babel 7 previously without this behavior. I imagine some third-party library update to be responsible.</p>
<p dir="auto"><strong>babel.config.js</strong></p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="module.exports = {
presets: [
[
'@babel/env',
{
debug: true,
},
],
],
}"><pre class="notranslate"><span class="pl-smi">module</span><span class="pl-kos">.</span><span class="pl-c1">exports</span> <span class="pl-c1">=</span> <span class="pl-kos">{</span>
<span class="pl-c1">presets</span>: <span class="pl-kos">[</span>
<span class="pl-kos">[</span>
<span class="pl-s">'@babel/env'</span><span class="pl-kos">,</span>
<span class="pl-kos">{</span>
<span class="pl-c1">debug</span>: <span class="pl-c1">true</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-kos">]</span><span class="pl-kos">,</span>
<span class="pl-kos">]</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span></pre></div>
<p dir="auto">I am not sure if the feature sets of Android x and Chrome x are equivalent starting with some version of if there are numbering and feature differences to account for, but probably either compat-table or preset-env should have some mapping., most likely for all versions of Android >4.4.</p>
<p dir="auto"><strong>Environment</strong></p>
<ul dir="auto">
<li>Babel version(s): 7.0.0-beta.54; downgrading to beta.31 did not help.</li>
<li>Node/npm version: Node v10.7.0</li>
<li>OS: Debian GNU/Linux</li>
<li>How you are using Babel: cli and loader</li>
</ul> | 0 |
<p dir="auto">I use webrtc of Electron(3.0.0-beta.6) for video meetting, I can see peer video for chrome,but chrome can't see my video.<br>
if config to V8, it's fine,but config h264,it's error.<br>
if i use Electron(2.0.7),chrome can see my video,but I can't see other video,but ui is overlapping.</p>
<p dir="auto">console print these log:<br>
[99769:0822/173441.318182:ERROR:webrtcvideoengine.cc(676)] No video codecs supported.</p> | <p dir="auto">Hi,</p>
<p dir="auto">Starting from atom-shell 0.19.2, I am unable to build atom-shell, linking process fails with this kind of error ;</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[982/982] LINK atom
FAILED: /usr/bin/clang++ -Wl,-O1 -Wl,--as-needed -rpath \$ORIGIN -rdynamic -pthread -o atom -Wl,--start-group obj/atom/app/atom.atom_main.o obj/libatom_lib.a obj/vendor/brightray/libbrightray.a obj/vendor/node/libnode_lib.a obj/vendor/node/deps/openssl/libopenssl.a obj/vendor/node/deps/zlib/libchrome_zlib.a obj/vendor/node/deps/http_parser/libhttp_parser.a obj/vendor/node/deps/cares/libcares.a obj/vendor/node/deps/uv/libuv.a obj/vendor/breakpad/libbreakpad_client.a -Wl,--end-group -ldbus-1 -lX11 -lXrandr -lXext -lgconf-2 -lglib-2.0 /var/tmp/portage/dev-util/atom-shell-0.19.3/work/atom-shell-0.19.3/vendor/brightray/vendor/download/libchromiumcontent/Release/libchromiumcontent.so /var/tmp/portage/dev-util/atom-shell-0.19.3/work/atom-shell-0.19.3/vendor/brightray/vendor/download/libchromiumcontent/Release/libchromiumviews.a -lpthread -lgtk-x11-2.0 -lgdk-x11-2.0 -lpangocairo-1.0 -latk-1.0 -lcairo -lpangoft2-1.0 -lpango-1.0 -lfreetype -lfontconfig -lnotify -lgdk_pixbuf-2.0 -lgio-2.0 -lgobject-2.0 -lm -ldl -lrt
/usr/bin/x86_64-pc-linux-gnu-ld: /var/tmp/portage/dev-util/atom-shell-0.19.3/work/atom-shell-0.19.3/vendor/brightray/vendor/download/libchromiumcontent/Release/libchromiumviews.a(gtk2ui.gconf_listener.o): undefined reference to symbol 'gconf_entry_get_value'
/usr/lib/gcc/x86_64-pc-linux-gnu/4.8.3/../../../../lib64/libgconf-2.so: error adding symbols: DSO missing from command line
clang: error: linker command failed with exit code 1 (use -v to see invocation)
ninja: build stopped: subcommand failed."><pre class="notranslate"><code class="notranslate">[982/982] LINK atom
FAILED: /usr/bin/clang++ -Wl,-O1 -Wl,--as-needed -rpath \$ORIGIN -rdynamic -pthread -o atom -Wl,--start-group obj/atom/app/atom.atom_main.o obj/libatom_lib.a obj/vendor/brightray/libbrightray.a obj/vendor/node/libnode_lib.a obj/vendor/node/deps/openssl/libopenssl.a obj/vendor/node/deps/zlib/libchrome_zlib.a obj/vendor/node/deps/http_parser/libhttp_parser.a obj/vendor/node/deps/cares/libcares.a obj/vendor/node/deps/uv/libuv.a obj/vendor/breakpad/libbreakpad_client.a -Wl,--end-group -ldbus-1 -lX11 -lXrandr -lXext -lgconf-2 -lglib-2.0 /var/tmp/portage/dev-util/atom-shell-0.19.3/work/atom-shell-0.19.3/vendor/brightray/vendor/download/libchromiumcontent/Release/libchromiumcontent.so /var/tmp/portage/dev-util/atom-shell-0.19.3/work/atom-shell-0.19.3/vendor/brightray/vendor/download/libchromiumcontent/Release/libchromiumviews.a -lpthread -lgtk-x11-2.0 -lgdk-x11-2.0 -lpangocairo-1.0 -latk-1.0 -lcairo -lpangoft2-1.0 -lpango-1.0 -lfreetype -lfontconfig -lnotify -lgdk_pixbuf-2.0 -lgio-2.0 -lgobject-2.0 -lm -ldl -lrt
/usr/bin/x86_64-pc-linux-gnu-ld: /var/tmp/portage/dev-util/atom-shell-0.19.3/work/atom-shell-0.19.3/vendor/brightray/vendor/download/libchromiumcontent/Release/libchromiumviews.a(gtk2ui.gconf_listener.o): undefined reference to symbol 'gconf_entry_get_value'
/usr/lib/gcc/x86_64-pc-linux-gnu/4.8.3/../../../../lib64/libgconf-2.so: error adding symbols: DSO missing from command line
clang: error: linker command failed with exit code 1 (use -v to see invocation)
ninja: build stopped: subcommand failed.
</code></pre></div>
<p dir="auto">I provide unofficial Gentoo ebuilds of atom and atom-shell, could someone point me in the right direction to get it fixed ?</p>
<h2 dir="auto"></h2>
<p dir="auto">Ref : <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="49350055" data-permission-text="Title is private" data-url="https://github.com/aegypius/overlay/issues/37" data-hovercard-type="issue" data-hovercard-url="/aegypius/overlay/issues/37/hovercard" href="https://github.com/aegypius/overlay/issues/37">aegypius/overlay#37</a></p> | 0 |
<p dir="auto">the nav-collapse class creates a stacked set of links that occlude the navbar-toggle button<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://camo.githubusercontent.com/6b35a472997062a63364d6ae9878d2000ea5863c6b082fd7c4c363d6b0c30141/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f353131353836372f3837343235332f63326364396361612d663838372d313165322d396233302d3235393133373965386231642e474946"><img src="https://camo.githubusercontent.com/6b35a472997062a63364d6ae9878d2000ea5863c6b082fd7c4c363d6b0c30141/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f353131353836372f3837343235332f63326364396361612d663838372d313165322d396233302d3235393133373965386231642e474946" alt="capture" data-animated-image="" data-canonical-src="https://f.cloud.github.com/assets/5115867/874253/c2cd9caa-f887-11e2-9b30-2591379e8b1d.GIF" style="max-width: 100%;"></a></p> | <p dir="auto">Hi,<br>
I test version 3.0 RC1. I have a problem when I hive my website with my mobile. In Fact when I am on my home page and show my menu I don't hidden this menu. Why ? Because de first item on the nav is "active" and the button (show/hid) is in background.</p>
<p dir="auto">I hope that I am clear.</p>
<p dir="auto">best regards,</p>
<p dir="auto">Lefandordinateur</p> | 1 |
<h3 dir="auto">Apache Airflow version</h3>
<p dir="auto">2.2.0 (latest released)</p>
<h3 dir="auto">Operating System</h3>
<p dir="auto">Debian GNU/Linux 10 (buster)</p>
<h3 dir="auto">Versions of Apache Airflow Providers</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="apache-airflow-providers-celery==2.1.0
apache-airflow-providers-mysql==2.1.1
apache-airflow-providers-postgres==2.3.0
apache-airflow-providers-sqlite==2.0.1"><pre class="notranslate"><code class="notranslate">apache-airflow-providers-celery==2.1.0
apache-airflow-providers-mysql==2.1.1
apache-airflow-providers-postgres==2.3.0
apache-airflow-providers-sqlite==2.0.1
</code></pre></div>
<h3 dir="auto">Deployment</h3>
<p dir="auto">Docker-Compose</p>
<h3 dir="auto">Deployment details</h3>
<p dir="auto">docker-compose file:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="version: "2"
services:
airflow-webserver:
build: .
image: airflow
command: airflow webserver
ports:
- "8080:8080"
airflow-scheduler:
image: airflow
command: airflow scheduler
airflow-flower:
image: airflow
command: airflow celery flower
ports:
- "5555:5555"
depends_on:
- airflow-celery
- airflow-webserver
- airflow-scheduler
- airflow-worker
- airflow-broker
airflow-worker:
image: airflow
command: airflow celery worker
airflow-celery:
image: mysql:8.0.19
environment:
MYSQL_PASSWORD: ...
MYSQL_USER: ...
MYSQL_DATABASE: airflow
MYSQL_HOST: airflow-celery
airflow-broker:
image: redis:5.0.7-alpine
volumes:
dbdata:"><pre class="notranslate"><code class="notranslate">version: "2"
services:
airflow-webserver:
build: .
image: airflow
command: airflow webserver
ports:
- "8080:8080"
airflow-scheduler:
image: airflow
command: airflow scheduler
airflow-flower:
image: airflow
command: airflow celery flower
ports:
- "5555:5555"
depends_on:
- airflow-celery
- airflow-webserver
- airflow-scheduler
- airflow-worker
- airflow-broker
airflow-worker:
image: airflow
command: airflow celery worker
airflow-celery:
image: mysql:8.0.19
environment:
MYSQL_PASSWORD: ...
MYSQL_USER: ...
MYSQL_DATABASE: airflow
MYSQL_HOST: airflow-celery
airflow-broker:
image: redis:5.0.7-alpine
volumes:
dbdata:
</code></pre></div>
<p dir="auto">Dockerfile:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="FROM python:3.8
COPY requirements.txt .
RUN pip install -U pip
RUN pip install -r requirements.txt"><pre class="notranslate"><code class="notranslate">FROM python:3.8
COPY requirements.txt .
RUN pip install -U pip
RUN pip install -r requirements.txt
</code></pre></div>
<p dir="auto">requirements.txt:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="apache-airflow[celery,postgres,slack,docker,redis,mysql,http]==2.2.0
kombu==4.6.10
python-dotenv
psycopg2-binary
..."><pre class="notranslate"><code class="notranslate">apache-airflow[celery,postgres,slack,docker,redis,mysql,http]==2.2.0
kombu==4.6.10
python-dotenv
psycopg2-binary
...
</code></pre></div>
<h3 dir="auto">What happened</h3>
<p dir="auto">After updating <code class="notranslate">requirements.txt</code> file to use Airflow <code class="notranslate">2.2.0</code> instead of <code class="notranslate">2.1.4</code>, I ran:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="~/airflow $ docker-compose build --no-cache
~/airflow $ docker-compose up -d --force
~/airflow $ docker exec -it airflow_airflow-webserver_1 airflow db upgrade"><pre class="notranslate"><code class="notranslate">~/airflow $ docker-compose build --no-cache
~/airflow $ docker-compose up -d --force
~/airflow $ docker exec -it airflow_airflow-webserver_1 airflow db upgrade
</code></pre></div>
<p dir="auto">Which throws this exception:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="DB: mysql://airflow:***@airflow-celery/airflow
[2021-10-13 12:22:57,699] {db.py:823} INFO - Creating tables
INFO [alembic.runtime.migration] Context impl MySQLImpl.
INFO [alembic.runtime.migration] Will assume non-transactional DDL.
INFO [alembic.runtime.migration] Running upgrade 142555e44c17 -> 7b2661a43ba3, TaskInstance keyed to DagRun
Traceback (most recent call last):
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1276, in _execute_context
self.dialect.do_execute(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/default.py", line 608, in do_execute
cursor.execute(statement, parameters)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 206, in execute
res = self._query(query)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 319, in _query
db.query(q)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/connections.py", line 259, in query
_mysql.connection.query(self, query)
MySQLdb._exceptions.OperationalError: (1091, "Can't DROP 'dag_id'; check that column/key exists")
The above exception was the direct cause of the following exception:
Traceback (most recent call last):
File "/usr/local/bin/airflow", line 8, in <module>
sys.exit(main())
File "/usr/local/lib/python3.8/site-packages/airflow/__main__.py", line 40, in main
args.func(args)
File "/usr/local/lib/python3.8/site-packages/airflow/cli/cli_parser.py", line 48, in command
return func(*args, **kwargs)
File "/usr/local/lib/python3.8/site-packages/airflow/utils/cli.py", line 92, in wrapper
return f(*args, **kwargs)
File "/usr/local/lib/python3.8/site-packages/airflow/cli/commands/db_command.py", line 48, in upgradedb
db.upgradedb()
File "/usr/local/lib/python3.8/site-packages/airflow/utils/session.py", line 70, in wrapper
return func(*args, session=session, **kwargs)
File "/usr/local/lib/python3.8/site-packages/airflow/utils/db.py", line 824, in upgradedb
command.upgrade(config, 'heads')
File "/usr/local/lib/python3.8/site-packages/alembic/command.py", line 320, in upgrade
script.run_env()
File "/usr/local/lib/python3.8/site-packages/alembic/script/base.py", line 563, in run_env
util.load_python_file(self.dir, "env.py")
File "/usr/local/lib/python3.8/site-packages/alembic/util/pyfiles.py", line 92, in load_python_file
module = load_module_py(module_id, path)
File "/usr/local/lib/python3.8/site-packages/alembic/util/pyfiles.py", line 108, in load_module_py
spec.loader.exec_module(module) # type: ignore
File "<frozen importlib._bootstrap_external>", line 848, in exec_module
File "<frozen importlib._bootstrap>", line 219, in _call_with_frames_removed
File "/usr/local/lib/python3.8/site-packages/airflow/migrations/env.py", line 107, in <module>
run_migrations_online()
File "/usr/local/lib/python3.8/site-packages/airflow/migrations/env.py", line 101, in run_migrations_online
context.run_migrations()
File "<string>", line 8, in run_migrations
File "/usr/local/lib/python3.8/site-packages/alembic/runtime/environment.py", line 851, in run_migrations
self.get_context().run_migrations(**kw)
File "/usr/local/lib/python3.8/site-packages/alembic/runtime/migration.py", line 620, in run_migrations
step.migration_fn(**kw)
File "/usr/local/lib/python3.8/site-packages/airflow/migrations/versions/7b2661a43ba3_taskinstance_keyed_to_dagrun.py", line 140, in upgrade
batch_op.create_unique_constraint('dag_run_dag_id_run_id_key', ['dag_id', 'run_id'])
File "/usr/local/lib/python3.8/contextlib.py", line 120, in __exit__
next(self.gen)
File "/usr/local/lib/python3.8/site-packages/alembic/operations/base.py", line 374, in batch_alter_table
impl.flush()
File "/usr/local/lib/python3.8/site-packages/alembic/operations/batch.py", line 107, in flush
fn(*arg, **kw)
File "/usr/local/lib/python3.8/site-packages/alembic/ddl/mysql.py", line 150, in drop_constraint
super(MySQLImpl, self).drop_constraint(const)
File "/usr/local/lib/python3.8/site-packages/alembic/ddl/impl.py", line 340, in drop_constraint
self._exec(schema.DropConstraint(const))
File "/usr/local/lib/python3.8/site-packages/alembic/ddl/impl.py", line 197, in _exec
return conn.execute(construct, multiparams)
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1011, in execute
return meth(self, multiparams, params)
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/sql/ddl.py", line 72, in _execute_on_connection
return connection._execute_ddl(self, multiparams, params)
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1068, in _execute_ddl
ret = self._execute_context(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1316, in _execute_context
self._handle_dbapi_exception(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1510, in _handle_dbapi_exception
util.raise_(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/util/compat.py", line 182, in raise_
raise exception
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1276, in _execute_context
self.dialect.do_execute(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/default.py", line 608, in do_execute
cursor.execute(statement, parameters)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 206, in execute
res = self._query(query)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 319, in _query
db.query(q)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/connections.py", line 259, in query
_mysql.connection.query(self, query)
sqlalchemy.exc.OperationalError: (MySQLdb._exceptions.OperationalError) (1091, "Can't DROP 'dag_id'; check that column/key exists")
[SQL: ALTER TABLE dag_run DROP INDEX dag_id]
(Background on this error at: http://sqlalche.me/e/13/e3q8)"><pre class="notranslate"><code class="notranslate">DB: mysql://airflow:***@airflow-celery/airflow
[2021-10-13 12:22:57,699] {db.py:823} INFO - Creating tables
INFO [alembic.runtime.migration] Context impl MySQLImpl.
INFO [alembic.runtime.migration] Will assume non-transactional DDL.
INFO [alembic.runtime.migration] Running upgrade 142555e44c17 -> 7b2661a43ba3, TaskInstance keyed to DagRun
Traceback (most recent call last):
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1276, in _execute_context
self.dialect.do_execute(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/default.py", line 608, in do_execute
cursor.execute(statement, parameters)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 206, in execute
res = self._query(query)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 319, in _query
db.query(q)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/connections.py", line 259, in query
_mysql.connection.query(self, query)
MySQLdb._exceptions.OperationalError: (1091, "Can't DROP 'dag_id'; check that column/key exists")
The above exception was the direct cause of the following exception:
Traceback (most recent call last):
File "/usr/local/bin/airflow", line 8, in <module>
sys.exit(main())
File "/usr/local/lib/python3.8/site-packages/airflow/__main__.py", line 40, in main
args.func(args)
File "/usr/local/lib/python3.8/site-packages/airflow/cli/cli_parser.py", line 48, in command
return func(*args, **kwargs)
File "/usr/local/lib/python3.8/site-packages/airflow/utils/cli.py", line 92, in wrapper
return f(*args, **kwargs)
File "/usr/local/lib/python3.8/site-packages/airflow/cli/commands/db_command.py", line 48, in upgradedb
db.upgradedb()
File "/usr/local/lib/python3.8/site-packages/airflow/utils/session.py", line 70, in wrapper
return func(*args, session=session, **kwargs)
File "/usr/local/lib/python3.8/site-packages/airflow/utils/db.py", line 824, in upgradedb
command.upgrade(config, 'heads')
File "/usr/local/lib/python3.8/site-packages/alembic/command.py", line 320, in upgrade
script.run_env()
File "/usr/local/lib/python3.8/site-packages/alembic/script/base.py", line 563, in run_env
util.load_python_file(self.dir, "env.py")
File "/usr/local/lib/python3.8/site-packages/alembic/util/pyfiles.py", line 92, in load_python_file
module = load_module_py(module_id, path)
File "/usr/local/lib/python3.8/site-packages/alembic/util/pyfiles.py", line 108, in load_module_py
spec.loader.exec_module(module) # type: ignore
File "<frozen importlib._bootstrap_external>", line 848, in exec_module
File "<frozen importlib._bootstrap>", line 219, in _call_with_frames_removed
File "/usr/local/lib/python3.8/site-packages/airflow/migrations/env.py", line 107, in <module>
run_migrations_online()
File "/usr/local/lib/python3.8/site-packages/airflow/migrations/env.py", line 101, in run_migrations_online
context.run_migrations()
File "<string>", line 8, in run_migrations
File "/usr/local/lib/python3.8/site-packages/alembic/runtime/environment.py", line 851, in run_migrations
self.get_context().run_migrations(**kw)
File "/usr/local/lib/python3.8/site-packages/alembic/runtime/migration.py", line 620, in run_migrations
step.migration_fn(**kw)
File "/usr/local/lib/python3.8/site-packages/airflow/migrations/versions/7b2661a43ba3_taskinstance_keyed_to_dagrun.py", line 140, in upgrade
batch_op.create_unique_constraint('dag_run_dag_id_run_id_key', ['dag_id', 'run_id'])
File "/usr/local/lib/python3.8/contextlib.py", line 120, in __exit__
next(self.gen)
File "/usr/local/lib/python3.8/site-packages/alembic/operations/base.py", line 374, in batch_alter_table
impl.flush()
File "/usr/local/lib/python3.8/site-packages/alembic/operations/batch.py", line 107, in flush
fn(*arg, **kw)
File "/usr/local/lib/python3.8/site-packages/alembic/ddl/mysql.py", line 150, in drop_constraint
super(MySQLImpl, self).drop_constraint(const)
File "/usr/local/lib/python3.8/site-packages/alembic/ddl/impl.py", line 340, in drop_constraint
self._exec(schema.DropConstraint(const))
File "/usr/local/lib/python3.8/site-packages/alembic/ddl/impl.py", line 197, in _exec
return conn.execute(construct, multiparams)
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1011, in execute
return meth(self, multiparams, params)
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/sql/ddl.py", line 72, in _execute_on_connection
return connection._execute_ddl(self, multiparams, params)
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1068, in _execute_ddl
ret = self._execute_context(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1316, in _execute_context
self._handle_dbapi_exception(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1510, in _handle_dbapi_exception
util.raise_(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/util/compat.py", line 182, in raise_
raise exception
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1276, in _execute_context
self.dialect.do_execute(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/default.py", line 608, in do_execute
cursor.execute(statement, parameters)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 206, in execute
res = self._query(query)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 319, in _query
db.query(q)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/connections.py", line 259, in query
_mysql.connection.query(self, query)
sqlalchemy.exc.OperationalError: (MySQLdb._exceptions.OperationalError) (1091, "Can't DROP 'dag_id'; check that column/key exists")
[SQL: ALTER TABLE dag_run DROP INDEX dag_id]
(Background on this error at: http://sqlalche.me/e/13/e3q8)
</code></pre></div>
<p dir="auto">Trying to drop the index manually, gives the same output:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="~/airflow $ docker exec -it airflow_airflow-celery_1 mysql
mysql> use airflow;
mysql> ALTER TABLE airflow.dag_run DROP INDEX dag_id;
ERROR 1091 (42000): Can't DROP 'dag_id'; check that column/key exists"><pre class="notranslate"><code class="notranslate">~/airflow $ docker exec -it airflow_airflow-celery_1 mysql
mysql> use airflow;
mysql> ALTER TABLE airflow.dag_run DROP INDEX dag_id;
ERROR 1091 (42000): Can't DROP 'dag_id'; check that column/key exists
</code></pre></div>
<h3 dir="auto">What you expected to happen</h3>
<p dir="auto"><code class="notranslate">airflow db upgrade</code> to not fail</p>
<h3 dir="auto">How to reproduce</h3>
<ul dir="auto">
<li>Copy the provided <code class="notranslate">docker-compose.yml</code> file content in conjunction with <code class="notranslate">Dockerfile</code> & <code class="notranslate">requirements.txt</code> with Airflow <code class="notranslate">2.1.4</code></li>
<li>Init db</li>
<li>build docker containers</li>
<li>all services should to be up & running</li>
<li>now update <code class="notranslate">requirements.txt</code> to use <code class="notranslate">2.2.0</code></li>
<li>build docker containers again</li>
<li>Run <code class="notranslate">airflow db upgrade</code> command</li>
<li>You would see error in stdout as well as <code class="notranslate">worker</code> service fails to run</li>
</ul>
<h3 dir="auto">Anything else</h3>
<p dir="auto"><em>No response</em></p>
<h3 dir="auto">Are you willing to submit PR?</h3>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> Yes I am willing to submit a PR!</li>
</ul>
<h3 dir="auto">Code of Conduct</h3>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I agree to follow this project's <a href="https://github.com/apache/airflow/blob/main/CODE_OF_CONDUCT.md">Code of Conduct</a></li>
</ul> | <h3 dir="auto">Apache Airflow version</h3>
<p dir="auto">2.2.0 (latest released)</p>
<h3 dir="auto">Operating System</h3>
<p dir="auto">Debian GNU/Linux 10 (buster)</p>
<h3 dir="auto">Versions of Apache Airflow Providers</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="apache-airflow-providers-celery==2.1.0
apache-airflow-providers-mysql==2.1.1
apache-airflow-providers-postgres==2.3.0
apache-airflow-providers-sqlite==2.0.1"><pre class="notranslate"><code class="notranslate">apache-airflow-providers-celery==2.1.0
apache-airflow-providers-mysql==2.1.1
apache-airflow-providers-postgres==2.3.0
apache-airflow-providers-sqlite==2.0.1
</code></pre></div>
<h3 dir="auto">Deployment</h3>
<p dir="auto">Docker-Compose</p>
<h3 dir="auto">Deployment details</h3>
<p dir="auto">docker-compose file:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="version: "2"
services:
airflow-webserver:
build: .
image: airflow
command: airflow webserver
ports:
- "8080:8080"
airflow-scheduler:
image: airflow
command: airflow scheduler
airflow-flower:
image: airflow
command: airflow celery flower
ports:
- "5555:5555"
depends_on:
- airflow-celery
- airflow-webserver
- airflow-scheduler
- airflow-worker
- airflow-broker
airflow-worker:
image: airflow
command: airflow celery worker
airflow-celery:
image: mysql:8.0.19
environment:
MYSQL_PASSWORD: ...
MYSQL_USER: ...
MYSQL_DATABASE: airflow
MYSQL_HOST: airflow-celery
airflow-broker:
image: redis:5.0.7-alpine
volumes:
dbdata:"><pre class="notranslate"><code class="notranslate">version: "2"
services:
airflow-webserver:
build: .
image: airflow
command: airflow webserver
ports:
- "8080:8080"
airflow-scheduler:
image: airflow
command: airflow scheduler
airflow-flower:
image: airflow
command: airflow celery flower
ports:
- "5555:5555"
depends_on:
- airflow-celery
- airflow-webserver
- airflow-scheduler
- airflow-worker
- airflow-broker
airflow-worker:
image: airflow
command: airflow celery worker
airflow-celery:
image: mysql:8.0.19
environment:
MYSQL_PASSWORD: ...
MYSQL_USER: ...
MYSQL_DATABASE: airflow
MYSQL_HOST: airflow-celery
airflow-broker:
image: redis:5.0.7-alpine
volumes:
dbdata:
</code></pre></div>
<p dir="auto">Dockerfile:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="FROM python:3.8
COPY requirements.txt .
RUN pip install -U pip
RUN pip install -r requirements.txt"><pre class="notranslate"><code class="notranslate">FROM python:3.8
COPY requirements.txt .
RUN pip install -U pip
RUN pip install -r requirements.txt
</code></pre></div>
<p dir="auto">requirements.txt:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="apache-airflow[celery,postgres,slack,docker,redis,mysql,http]==2.2.0
kombu==4.6.10
python-dotenv
psycopg2-binary
..."><pre class="notranslate"><code class="notranslate">apache-airflow[celery,postgres,slack,docker,redis,mysql,http]==2.2.0
kombu==4.6.10
python-dotenv
psycopg2-binary
...
</code></pre></div>
<h3 dir="auto">What happened</h3>
<p dir="auto">After updating <code class="notranslate">requirements.txt</code> file to use Airflow <code class="notranslate">2.2.0</code> instead of <code class="notranslate">2.1.4</code>, I ran:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="~/airflow $ docker-compose build --no-cache
~/airflow $ docker-compose up -d --force
~/airflow $ docker exec -it airflow_airflow-webserver_1 airflow db upgrade"><pre class="notranslate"><code class="notranslate">~/airflow $ docker-compose build --no-cache
~/airflow $ docker-compose up -d --force
~/airflow $ docker exec -it airflow_airflow-webserver_1 airflow db upgrade
</code></pre></div>
<p dir="auto">Which throws this exception:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="DB: mysql://airflow:***@airflow-celery/airflow
[2021-10-13 12:22:57,699] {db.py:823} INFO - Creating tables
INFO [alembic.runtime.migration] Context impl MySQLImpl.
INFO [alembic.runtime.migration] Will assume non-transactional DDL.
INFO [alembic.runtime.migration] Running upgrade 142555e44c17 -> 7b2661a43ba3, TaskInstance keyed to DagRun
Traceback (most recent call last):
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1276, in _execute_context
self.dialect.do_execute(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/default.py", line 608, in do_execute
cursor.execute(statement, parameters)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 206, in execute
res = self._query(query)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 319, in _query
db.query(q)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/connections.py", line 259, in query
_mysql.connection.query(self, query)
MySQLdb._exceptions.OperationalError: (1091, "Can't DROP 'dag_id'; check that column/key exists")
The above exception was the direct cause of the following exception:
Traceback (most recent call last):
File "/usr/local/bin/airflow", line 8, in <module>
sys.exit(main())
File "/usr/local/lib/python3.8/site-packages/airflow/__main__.py", line 40, in main
args.func(args)
File "/usr/local/lib/python3.8/site-packages/airflow/cli/cli_parser.py", line 48, in command
return func(*args, **kwargs)
File "/usr/local/lib/python3.8/site-packages/airflow/utils/cli.py", line 92, in wrapper
return f(*args, **kwargs)
File "/usr/local/lib/python3.8/site-packages/airflow/cli/commands/db_command.py", line 48, in upgradedb
db.upgradedb()
File "/usr/local/lib/python3.8/site-packages/airflow/utils/session.py", line 70, in wrapper
return func(*args, session=session, **kwargs)
File "/usr/local/lib/python3.8/site-packages/airflow/utils/db.py", line 824, in upgradedb
command.upgrade(config, 'heads')
File "/usr/local/lib/python3.8/site-packages/alembic/command.py", line 320, in upgrade
script.run_env()
File "/usr/local/lib/python3.8/site-packages/alembic/script/base.py", line 563, in run_env
util.load_python_file(self.dir, "env.py")
File "/usr/local/lib/python3.8/site-packages/alembic/util/pyfiles.py", line 92, in load_python_file
module = load_module_py(module_id, path)
File "/usr/local/lib/python3.8/site-packages/alembic/util/pyfiles.py", line 108, in load_module_py
spec.loader.exec_module(module) # type: ignore
File "<frozen importlib._bootstrap_external>", line 848, in exec_module
File "<frozen importlib._bootstrap>", line 219, in _call_with_frames_removed
File "/usr/local/lib/python3.8/site-packages/airflow/migrations/env.py", line 107, in <module>
run_migrations_online()
File "/usr/local/lib/python3.8/site-packages/airflow/migrations/env.py", line 101, in run_migrations_online
context.run_migrations()
File "<string>", line 8, in run_migrations
File "/usr/local/lib/python3.8/site-packages/alembic/runtime/environment.py", line 851, in run_migrations
self.get_context().run_migrations(**kw)
File "/usr/local/lib/python3.8/site-packages/alembic/runtime/migration.py", line 620, in run_migrations
step.migration_fn(**kw)
File "/usr/local/lib/python3.8/site-packages/airflow/migrations/versions/7b2661a43ba3_taskinstance_keyed_to_dagrun.py", line 140, in upgrade
batch_op.create_unique_constraint('dag_run_dag_id_run_id_key', ['dag_id', 'run_id'])
File "/usr/local/lib/python3.8/contextlib.py", line 120, in __exit__
next(self.gen)
File "/usr/local/lib/python3.8/site-packages/alembic/operations/base.py", line 374, in batch_alter_table
impl.flush()
File "/usr/local/lib/python3.8/site-packages/alembic/operations/batch.py", line 107, in flush
fn(*arg, **kw)
File "/usr/local/lib/python3.8/site-packages/alembic/ddl/mysql.py", line 150, in drop_constraint
super(MySQLImpl, self).drop_constraint(const)
File "/usr/local/lib/python3.8/site-packages/alembic/ddl/impl.py", line 340, in drop_constraint
self._exec(schema.DropConstraint(const))
File "/usr/local/lib/python3.8/site-packages/alembic/ddl/impl.py", line 197, in _exec
return conn.execute(construct, multiparams)
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1011, in execute
return meth(self, multiparams, params)
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/sql/ddl.py", line 72, in _execute_on_connection
return connection._execute_ddl(self, multiparams, params)
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1068, in _execute_ddl
ret = self._execute_context(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1316, in _execute_context
self._handle_dbapi_exception(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1510, in _handle_dbapi_exception
util.raise_(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/util/compat.py", line 182, in raise_
raise exception
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1276, in _execute_context
self.dialect.do_execute(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/default.py", line 608, in do_execute
cursor.execute(statement, parameters)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 206, in execute
res = self._query(query)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 319, in _query
db.query(q)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/connections.py", line 259, in query
_mysql.connection.query(self, query)
sqlalchemy.exc.OperationalError: (MySQLdb._exceptions.OperationalError) (1091, "Can't DROP 'dag_id'; check that column/key exists")
[SQL: ALTER TABLE dag_run DROP INDEX dag_id]
(Background on this error at: http://sqlalche.me/e/13/e3q8)"><pre class="notranslate"><code class="notranslate">DB: mysql://airflow:***@airflow-celery/airflow
[2021-10-13 12:22:57,699] {db.py:823} INFO - Creating tables
INFO [alembic.runtime.migration] Context impl MySQLImpl.
INFO [alembic.runtime.migration] Will assume non-transactional DDL.
INFO [alembic.runtime.migration] Running upgrade 142555e44c17 -> 7b2661a43ba3, TaskInstance keyed to DagRun
Traceback (most recent call last):
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1276, in _execute_context
self.dialect.do_execute(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/default.py", line 608, in do_execute
cursor.execute(statement, parameters)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 206, in execute
res = self._query(query)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 319, in _query
db.query(q)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/connections.py", line 259, in query
_mysql.connection.query(self, query)
MySQLdb._exceptions.OperationalError: (1091, "Can't DROP 'dag_id'; check that column/key exists")
The above exception was the direct cause of the following exception:
Traceback (most recent call last):
File "/usr/local/bin/airflow", line 8, in <module>
sys.exit(main())
File "/usr/local/lib/python3.8/site-packages/airflow/__main__.py", line 40, in main
args.func(args)
File "/usr/local/lib/python3.8/site-packages/airflow/cli/cli_parser.py", line 48, in command
return func(*args, **kwargs)
File "/usr/local/lib/python3.8/site-packages/airflow/utils/cli.py", line 92, in wrapper
return f(*args, **kwargs)
File "/usr/local/lib/python3.8/site-packages/airflow/cli/commands/db_command.py", line 48, in upgradedb
db.upgradedb()
File "/usr/local/lib/python3.8/site-packages/airflow/utils/session.py", line 70, in wrapper
return func(*args, session=session, **kwargs)
File "/usr/local/lib/python3.8/site-packages/airflow/utils/db.py", line 824, in upgradedb
command.upgrade(config, 'heads')
File "/usr/local/lib/python3.8/site-packages/alembic/command.py", line 320, in upgrade
script.run_env()
File "/usr/local/lib/python3.8/site-packages/alembic/script/base.py", line 563, in run_env
util.load_python_file(self.dir, "env.py")
File "/usr/local/lib/python3.8/site-packages/alembic/util/pyfiles.py", line 92, in load_python_file
module = load_module_py(module_id, path)
File "/usr/local/lib/python3.8/site-packages/alembic/util/pyfiles.py", line 108, in load_module_py
spec.loader.exec_module(module) # type: ignore
File "<frozen importlib._bootstrap_external>", line 848, in exec_module
File "<frozen importlib._bootstrap>", line 219, in _call_with_frames_removed
File "/usr/local/lib/python3.8/site-packages/airflow/migrations/env.py", line 107, in <module>
run_migrations_online()
File "/usr/local/lib/python3.8/site-packages/airflow/migrations/env.py", line 101, in run_migrations_online
context.run_migrations()
File "<string>", line 8, in run_migrations
File "/usr/local/lib/python3.8/site-packages/alembic/runtime/environment.py", line 851, in run_migrations
self.get_context().run_migrations(**kw)
File "/usr/local/lib/python3.8/site-packages/alembic/runtime/migration.py", line 620, in run_migrations
step.migration_fn(**kw)
File "/usr/local/lib/python3.8/site-packages/airflow/migrations/versions/7b2661a43ba3_taskinstance_keyed_to_dagrun.py", line 140, in upgrade
batch_op.create_unique_constraint('dag_run_dag_id_run_id_key', ['dag_id', 'run_id'])
File "/usr/local/lib/python3.8/contextlib.py", line 120, in __exit__
next(self.gen)
File "/usr/local/lib/python3.8/site-packages/alembic/operations/base.py", line 374, in batch_alter_table
impl.flush()
File "/usr/local/lib/python3.8/site-packages/alembic/operations/batch.py", line 107, in flush
fn(*arg, **kw)
File "/usr/local/lib/python3.8/site-packages/alembic/ddl/mysql.py", line 150, in drop_constraint
super(MySQLImpl, self).drop_constraint(const)
File "/usr/local/lib/python3.8/site-packages/alembic/ddl/impl.py", line 340, in drop_constraint
self._exec(schema.DropConstraint(const))
File "/usr/local/lib/python3.8/site-packages/alembic/ddl/impl.py", line 197, in _exec
return conn.execute(construct, multiparams)
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1011, in execute
return meth(self, multiparams, params)
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/sql/ddl.py", line 72, in _execute_on_connection
return connection._execute_ddl(self, multiparams, params)
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1068, in _execute_ddl
ret = self._execute_context(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1316, in _execute_context
self._handle_dbapi_exception(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1510, in _handle_dbapi_exception
util.raise_(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/util/compat.py", line 182, in raise_
raise exception
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py", line 1276, in _execute_context
self.dialect.do_execute(
File "/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/default.py", line 608, in do_execute
cursor.execute(statement, parameters)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 206, in execute
res = self._query(query)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/cursors.py", line 319, in _query
db.query(q)
File "/usr/local/lib/python3.8/site-packages/MySQLdb/connections.py", line 259, in query
_mysql.connection.query(self, query)
sqlalchemy.exc.OperationalError: (MySQLdb._exceptions.OperationalError) (1091, "Can't DROP 'dag_id'; check that column/key exists")
[SQL: ALTER TABLE dag_run DROP INDEX dag_id]
(Background on this error at: http://sqlalche.me/e/13/e3q8)
</code></pre></div>
<p dir="auto">Trying to drop the index manually, gives the same output:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="~/airflow $ docker exec -it airflow_airflow-celery_1 mysql
mysql> use airflow;
mysql> ALTER TABLE airflow.dag_run DROP INDEX dag_id;
ERROR 1091 (42000): Can't DROP 'dag_id'; check that column/key exists"><pre class="notranslate"><code class="notranslate">~/airflow $ docker exec -it airflow_airflow-celery_1 mysql
mysql> use airflow;
mysql> ALTER TABLE airflow.dag_run DROP INDEX dag_id;
ERROR 1091 (42000): Can't DROP 'dag_id'; check that column/key exists
</code></pre></div>
<h3 dir="auto">What you expected to happen</h3>
<p dir="auto"><code class="notranslate">airflow db upgrade</code> to not fail</p>
<h3 dir="auto">How to reproduce</h3>
<ul dir="auto">
<li>Copy the provided <code class="notranslate">docker-compose.yml</code> file content in conjunction with <code class="notranslate">Dockerfile</code> & <code class="notranslate">requirements.txt</code> with Airflow <code class="notranslate">2.1.4</code></li>
<li>Init db</li>
<li>build docker containers</li>
<li>all services should to be up & running</li>
<li>now update <code class="notranslate">requirements.txt</code> to use <code class="notranslate">2.2.0</code></li>
<li>build docker containers again</li>
<li>Run <code class="notranslate">airflow db upgrade</code> command</li>
<li>You would see error in stdout as well as <code class="notranslate">worker</code> service fails to run</li>
</ul>
<h3 dir="auto">Anything else</h3>
<p dir="auto"><em>No response</em></p>
<h3 dir="auto">Are you willing to submit PR?</h3>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> Yes I am willing to submit a PR!</li>
</ul>
<h3 dir="auto">Code of Conduct</h3>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I agree to follow this project's <a href="https://github.com/apache/airflow/blob/main/CODE_OF_CONDUCT.md">Code of Conduct</a></li>
</ul> | 1 |
<p dir="auto">Example:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [102]: get_cmap('hot').name
Out[102]: u'hot'
In [103]: get_cmap('hot', 5).name
Out[103]: u'hot'
In [104]: get_cmap('inferno').name
Out[104]: 'inferno'
In [105]: get_cmap('inferno', 5).name
Out[105]:
[[0.001462, 0.000466, 0.013866],
[0.002267, 0.00127, 0.01857],
[0.003299, 0.002249, 0.024239],
[0.004547, 0.003392, 0.030909],
[0.006006, 0.004692, 0.038558],
[0.007676, 0.006136, 0.046836],
[0.009561, 0.007713, 0.055143],
[0.011663, 0.009417, 0.06346],
[0.013995, 0.011225, 0.071862],
[0.016561, 0.013136, 0.080282],
[0.019373, 0.015133, 0.088767],
[0.022447, 0.017199, 0.097327],
[0.025793, 0.019331, 0.10593],
[0.029432, 0.021503, 0.114621],
[0.033385, 0.023702, 0.123397],
[0.037668, 0.025921, 0.132232],
[0.042253, 0.028139, 0.141141],
[0.046915, 0.030324, 0.150164],
[0.051644, 0.032474, 0.159254],
[0.056449, 0.034569, 0.168414],
[0.06134, 0.03659, 0.177642],
[0.066331, 0.038504, 0.186962],
[0.071429, 0.040294, 0.196354],
[0.076637, 0.041905, 0.205799],
[0.081962, 0.043328, 0.215289],
[0.087411, 0.044556, 0.224813],
[0.09299, 0.045583, 0.234358],
[0.098702, 0.046402, 0.243904],
[0.104551, 0.047008, 0.25343],
[0.110536, 0.047399, 0.262912],
[0.116656, 0.047574, 0.272321],
[0.122908, 0.047536, 0.281624],
[0.129285, 0.047293, 0.290788],
[0.135778, 0.046856, 0.299776],
[0.142378, 0.046242, 0.308553],
[0.149073, 0.045468, 0.317085],
[0.15585, 0.044559, 0.325338],
[0.162689, 0.043554, 0.333277],
[0.169575, 0.042489, 0.340874],
[0.176493, 0.041402, 0.348111],
[0.183429, 0.040329, 0.354971],
[0.190367, 0.039309, 0.361447],
[0.197297, 0.0384, 0.367535],
[0.204209, 0.037632, 0.373238],
[0.211095, 0.03703, 0.378563],
[0.217949, 0.036615, 0.383522],
[0.224763, 0.036405, 0.388129],
[0.231538, 0.036405, 0.3924],
[0.238273, 0.036621, 0.396353],
[0.244967, 0.037055, 0.400007],
[0.25162, 0.037705, 0.403378],
[0.258234, 0.038571, 0.406485],
[0.26481, 0.039647, 0.409345],
[0.271347, 0.040922, 0.411976],
[0.27785, 0.042353, 0.414392],
[0.284321, 0.043933, 0.416608],
[0.290763, 0.045644, 0.418637],
[0.297178, 0.04747, 0.420491],
[0.303568, 0.049396, 0.422182],
[0.309935, 0.051407, 0.423721],
[0.316282, 0.05349, 0.425116],
[0.32261, 0.055634, 0.426377],
[0.328921, 0.057827, 0.427511],
[0.335217, 0.06006, 0.428524],
[0.3415, 0.062325, 0.429425],
[0.347771, 0.064616, 0.430217],
[0.354032, 0.066925, 0.430906],
[0.360284, 0.069247, 0.431497],
[0.366529, 0.071579, 0.431994],
[0.372768, 0.073915, 0.4324],
[0.379001, 0.076253, 0.432719],
[0.385228, 0.078591, 0.432955],
[0.391453, 0.080927, 0.433109],
[0.397674, 0.083257, 0.433183],
[0.403894, 0.08558, 0.433179],
[0.410113, 0.087896, 0.433098],
[0.416331, 0.090203, 0.432943],
[0.422549, 0.092501, 0.432714],
[0.428768, 0.09479, 0.432412],
[0.434987, 0.097069, 0.432039],
[0.441207, 0.099338, 0.431594],
[0.447428, 0.101597, 0.43108],
[0.453651, 0.103848, 0.430498],
[0.459875, 0.106089, 0.429846],
[0.4661, 0.108322, 0.429125],
[0.472328, 0.110547, 0.428334],
[0.478558, 0.112764, 0.427475],
[0.484789, 0.114974, 0.426548],
[0.491022, 0.117179, 0.425552],
[0.497257, 0.119379, 0.424488],
[0.503493, 0.121575, 0.423356],
[0.50973, 0.123769, 0.422156],
[0.515967, 0.12596, 0.420887],
[0.522206, 0.12815, 0.419549],
[0.528444, 0.130341, 0.418142],
[0.534683, 0.132534, 0.416667],
[0.54092, 0.134729, 0.415123],
[0.547157, 0.136929, 0.413511],
[0.553392, 0.139134, 0.411829],
[0.559624, 0.141346, 0.410078],
[0.565854, 0.143567, 0.408258],
[0.572081, 0.145797, 0.406369],
[0.578304, 0.148039, 0.404411],
[0.584521, 0.150294, 0.402385],
[0.590734, 0.152563, 0.40029],
[0.59694, 0.154848, 0.398125],
[0.603139, 0.157151, 0.395891],
[0.60933, 0.159474, 0.393589],
[0.615513, 0.161817, 0.391219],
[0.621685, 0.164184, 0.388781],
[0.627847, 0.166575, 0.386276],
[0.633998, 0.168992, 0.383704],
[0.640135, 0.171438, 0.381065],
[0.64626, 0.173914, 0.378359],
[0.652369, 0.176421, 0.375586],
[0.658463, 0.178962, 0.372748],
[0.66454, 0.181539, 0.369846],
[0.670599, 0.184153, 0.366879],
[0.676638, 0.186807, 0.363849],
[0.682656, 0.189501, 0.360757],
[0.688653, 0.192239, 0.357603],
[0.694627, 0.195021, 0.354388],
[0.700576, 0.197851, 0.351113],
[0.7065, 0.200728, 0.347777],
[0.712396, 0.203656, 0.344383],
[0.718264, 0.206636, 0.340931],
[0.724103, 0.20967, 0.337424],
[0.729909, 0.212759, 0.333861],
[0.735683, 0.215906, 0.330245],
[0.741423, 0.219112, 0.326576],
[0.747127, 0.222378, 0.322856],
[0.752794, 0.225706, 0.319085],
[0.758422, 0.229097, 0.315266],
[0.76401, 0.232554, 0.311399],
[0.769556, 0.236077, 0.307485],
[0.775059, 0.239667, 0.303526],
[0.780517, 0.243327, 0.299523],
[0.785929, 0.247056, 0.295477],
[0.791293, 0.250856, 0.29139],
[0.796607, 0.254728, 0.287264],
[0.801871, 0.258674, 0.283099],
[0.807082, 0.262692, 0.278898],
[0.812239, 0.266786, 0.274661],
[0.817341, 0.270954, 0.27039],
[0.822386, 0.275197, 0.266085],
[0.827372, 0.279517, 0.26175],
[0.832299, 0.283913, 0.257383],
[0.837165, 0.288385, 0.252988],
[0.841969, 0.292933, 0.248564],
[0.846709, 0.297559, 0.244113],
[0.851384, 0.30226, 0.239636],
[0.855992, 0.307038, 0.235133],
[0.860533, 0.311892, 0.230606],
[0.865006, 0.316822, 0.226055],
[0.869409, 0.321827, 0.221482],
[0.873741, 0.326906, 0.216886],
[0.878001, 0.33206, 0.212268],
[0.882188, 0.337287, 0.207628],
[0.886302, 0.342586, 0.202968],
[0.890341, 0.347957, 0.198286],
[0.894305, 0.353399, 0.193584],
[0.898192, 0.358911, 0.18886],
[0.902003, 0.364492, 0.184116],
[0.905735, 0.37014, 0.17935],
[0.90939, 0.375856, 0.174563],
[0.912966, 0.381636, 0.169755],
[0.916462, 0.387481, 0.164924],
[0.919879, 0.393389, 0.16007],
[0.923215, 0.399359, 0.155193],
[0.92647, 0.405389, 0.150292],
[0.929644, 0.411479, 0.145367],
[0.932737, 0.417627, 0.140417],
[0.935747, 0.423831, 0.13544],
[0.938675, 0.430091, 0.130438],
[0.941521, 0.436405, 0.125409],
[0.944285, 0.442772, 0.120354],
[0.946965, 0.449191, 0.115272],
[0.949562, 0.45566, 0.110164],
[0.952075, 0.462178, 0.105031],
[0.954506, 0.468744, 0.099874],
[0.956852, 0.475356, 0.094695],
[0.959114, 0.482014, 0.089499],
[0.961293, 0.488716, 0.084289],
[0.963387, 0.495462, 0.079073],
[0.965397, 0.502249, 0.073859],
[0.967322, 0.509078, 0.068659],
[0.969163, 0.515946, 0.063488],
[0.970919, 0.522853, 0.058367],
[0.97259, 0.529798, 0.053324],
[0.974176, 0.53678, 0.048392],
[0.975677, 0.543798, 0.043618],
[0.977092, 0.55085, 0.03905],
[0.978422, 0.557937, 0.034931],
[0.979666, 0.565057, 0.031409],
[0.980824, 0.572209, 0.028508],
[0.981895, 0.579392, 0.02625],
[0.982881, 0.586606, 0.024661],
[0.983779, 0.593849, 0.02377],
[0.984591, 0.601122, 0.023606],
[0.985315, 0.608422, 0.024202],
[0.985952, 0.61575, 0.025592],
[0.986502, 0.623105, 0.027814],
[0.986964, 0.630485, 0.030908],
[0.987337, 0.63789, 0.034916],
[0.987622, 0.64532, 0.039886],
[0.987819, 0.652773, 0.045581],
[0.987926, 0.66025, 0.05175],
[0.987945, 0.667748, 0.058329],
[0.987874, 0.675267, 0.065257],
[0.987714, 0.682807, 0.072489],
[0.987464, 0.690366, 0.07999],
[0.987124, 0.697944, 0.087731],
[0.986694, 0.70554, 0.095694],
[0.986175, 0.713153, 0.103863],
[0.985566, 0.720782, 0.112229],
[0.984865, 0.728427, 0.120785],
[0.984075, 0.736087, 0.129527],
[0.983196, 0.743758, 0.138453],
[0.982228, 0.751442, 0.147565],
[0.981173, 0.759135, 0.156863],
[0.980032, 0.766837, 0.166353],
[0.978806, 0.774545, 0.176037],
[0.977497, 0.782258, 0.185923],
[0.976108, 0.789974, 0.196018],
[0.974638, 0.797692, 0.206332],
[0.973088, 0.805409, 0.216877],
[0.971468, 0.813122, 0.227658],
[0.969783, 0.820825, 0.238686],
[0.968041, 0.828515, 0.249972],
[0.966243, 0.836191, 0.261534],
[0.964394, 0.843848, 0.273391],
[0.962517, 0.851476, 0.285546],
[0.960626, 0.859069, 0.29801],
[0.95872, 0.866624, 0.31082],
[0.956834, 0.874129, 0.323974],
[0.954997, 0.881569, 0.337475],
[0.953215, 0.888942, 0.351369],
[0.951546, 0.896226, 0.365627],
[0.950018, 0.903409, 0.380271],
[0.948683, 0.910473, 0.395289],
[0.947594, 0.917399, 0.410665],
[0.946809, 0.924168, 0.426373],
[0.946392, 0.930761, 0.442367],
[0.946403, 0.937159, 0.458592],
[0.946903, 0.943348, 0.47497],
[0.947937, 0.949318, 0.491426],
[0.949545, 0.955063, 0.50786],
[0.95174, 0.960587, 0.524203],
[0.954529, 0.965896, 0.540361],
[0.957896, 0.971003, 0.556275],
[0.961812, 0.975924, 0.571925],
[0.966249, 0.980678, 0.587206],
[0.971162, 0.985282, 0.602154],
[0.976511, 0.989753, 0.61676],
[0.982257, 0.994109, 0.631017],
[0.988362, 0.998364, 0.644924]]"><pre class="notranslate"><code class="notranslate">In [102]: get_cmap('hot').name
Out[102]: u'hot'
In [103]: get_cmap('hot', 5).name
Out[103]: u'hot'
In [104]: get_cmap('inferno').name
Out[104]: 'inferno'
In [105]: get_cmap('inferno', 5).name
Out[105]:
[[0.001462, 0.000466, 0.013866],
[0.002267, 0.00127, 0.01857],
[0.003299, 0.002249, 0.024239],
[0.004547, 0.003392, 0.030909],
[0.006006, 0.004692, 0.038558],
[0.007676, 0.006136, 0.046836],
[0.009561, 0.007713, 0.055143],
[0.011663, 0.009417, 0.06346],
[0.013995, 0.011225, 0.071862],
[0.016561, 0.013136, 0.080282],
[0.019373, 0.015133, 0.088767],
[0.022447, 0.017199, 0.097327],
[0.025793, 0.019331, 0.10593],
[0.029432, 0.021503, 0.114621],
[0.033385, 0.023702, 0.123397],
[0.037668, 0.025921, 0.132232],
[0.042253, 0.028139, 0.141141],
[0.046915, 0.030324, 0.150164],
[0.051644, 0.032474, 0.159254],
[0.056449, 0.034569, 0.168414],
[0.06134, 0.03659, 0.177642],
[0.066331, 0.038504, 0.186962],
[0.071429, 0.040294, 0.196354],
[0.076637, 0.041905, 0.205799],
[0.081962, 0.043328, 0.215289],
[0.087411, 0.044556, 0.224813],
[0.09299, 0.045583, 0.234358],
[0.098702, 0.046402, 0.243904],
[0.104551, 0.047008, 0.25343],
[0.110536, 0.047399, 0.262912],
[0.116656, 0.047574, 0.272321],
[0.122908, 0.047536, 0.281624],
[0.129285, 0.047293, 0.290788],
[0.135778, 0.046856, 0.299776],
[0.142378, 0.046242, 0.308553],
[0.149073, 0.045468, 0.317085],
[0.15585, 0.044559, 0.325338],
[0.162689, 0.043554, 0.333277],
[0.169575, 0.042489, 0.340874],
[0.176493, 0.041402, 0.348111],
[0.183429, 0.040329, 0.354971],
[0.190367, 0.039309, 0.361447],
[0.197297, 0.0384, 0.367535],
[0.204209, 0.037632, 0.373238],
[0.211095, 0.03703, 0.378563],
[0.217949, 0.036615, 0.383522],
[0.224763, 0.036405, 0.388129],
[0.231538, 0.036405, 0.3924],
[0.238273, 0.036621, 0.396353],
[0.244967, 0.037055, 0.400007],
[0.25162, 0.037705, 0.403378],
[0.258234, 0.038571, 0.406485],
[0.26481, 0.039647, 0.409345],
[0.271347, 0.040922, 0.411976],
[0.27785, 0.042353, 0.414392],
[0.284321, 0.043933, 0.416608],
[0.290763, 0.045644, 0.418637],
[0.297178, 0.04747, 0.420491],
[0.303568, 0.049396, 0.422182],
[0.309935, 0.051407, 0.423721],
[0.316282, 0.05349, 0.425116],
[0.32261, 0.055634, 0.426377],
[0.328921, 0.057827, 0.427511],
[0.335217, 0.06006, 0.428524],
[0.3415, 0.062325, 0.429425],
[0.347771, 0.064616, 0.430217],
[0.354032, 0.066925, 0.430906],
[0.360284, 0.069247, 0.431497],
[0.366529, 0.071579, 0.431994],
[0.372768, 0.073915, 0.4324],
[0.379001, 0.076253, 0.432719],
[0.385228, 0.078591, 0.432955],
[0.391453, 0.080927, 0.433109],
[0.397674, 0.083257, 0.433183],
[0.403894, 0.08558, 0.433179],
[0.410113, 0.087896, 0.433098],
[0.416331, 0.090203, 0.432943],
[0.422549, 0.092501, 0.432714],
[0.428768, 0.09479, 0.432412],
[0.434987, 0.097069, 0.432039],
[0.441207, 0.099338, 0.431594],
[0.447428, 0.101597, 0.43108],
[0.453651, 0.103848, 0.430498],
[0.459875, 0.106089, 0.429846],
[0.4661, 0.108322, 0.429125],
[0.472328, 0.110547, 0.428334],
[0.478558, 0.112764, 0.427475],
[0.484789, 0.114974, 0.426548],
[0.491022, 0.117179, 0.425552],
[0.497257, 0.119379, 0.424488],
[0.503493, 0.121575, 0.423356],
[0.50973, 0.123769, 0.422156],
[0.515967, 0.12596, 0.420887],
[0.522206, 0.12815, 0.419549],
[0.528444, 0.130341, 0.418142],
[0.534683, 0.132534, 0.416667],
[0.54092, 0.134729, 0.415123],
[0.547157, 0.136929, 0.413511],
[0.553392, 0.139134, 0.411829],
[0.559624, 0.141346, 0.410078],
[0.565854, 0.143567, 0.408258],
[0.572081, 0.145797, 0.406369],
[0.578304, 0.148039, 0.404411],
[0.584521, 0.150294, 0.402385],
[0.590734, 0.152563, 0.40029],
[0.59694, 0.154848, 0.398125],
[0.603139, 0.157151, 0.395891],
[0.60933, 0.159474, 0.393589],
[0.615513, 0.161817, 0.391219],
[0.621685, 0.164184, 0.388781],
[0.627847, 0.166575, 0.386276],
[0.633998, 0.168992, 0.383704],
[0.640135, 0.171438, 0.381065],
[0.64626, 0.173914, 0.378359],
[0.652369, 0.176421, 0.375586],
[0.658463, 0.178962, 0.372748],
[0.66454, 0.181539, 0.369846],
[0.670599, 0.184153, 0.366879],
[0.676638, 0.186807, 0.363849],
[0.682656, 0.189501, 0.360757],
[0.688653, 0.192239, 0.357603],
[0.694627, 0.195021, 0.354388],
[0.700576, 0.197851, 0.351113],
[0.7065, 0.200728, 0.347777],
[0.712396, 0.203656, 0.344383],
[0.718264, 0.206636, 0.340931],
[0.724103, 0.20967, 0.337424],
[0.729909, 0.212759, 0.333861],
[0.735683, 0.215906, 0.330245],
[0.741423, 0.219112, 0.326576],
[0.747127, 0.222378, 0.322856],
[0.752794, 0.225706, 0.319085],
[0.758422, 0.229097, 0.315266],
[0.76401, 0.232554, 0.311399],
[0.769556, 0.236077, 0.307485],
[0.775059, 0.239667, 0.303526],
[0.780517, 0.243327, 0.299523],
[0.785929, 0.247056, 0.295477],
[0.791293, 0.250856, 0.29139],
[0.796607, 0.254728, 0.287264],
[0.801871, 0.258674, 0.283099],
[0.807082, 0.262692, 0.278898],
[0.812239, 0.266786, 0.274661],
[0.817341, 0.270954, 0.27039],
[0.822386, 0.275197, 0.266085],
[0.827372, 0.279517, 0.26175],
[0.832299, 0.283913, 0.257383],
[0.837165, 0.288385, 0.252988],
[0.841969, 0.292933, 0.248564],
[0.846709, 0.297559, 0.244113],
[0.851384, 0.30226, 0.239636],
[0.855992, 0.307038, 0.235133],
[0.860533, 0.311892, 0.230606],
[0.865006, 0.316822, 0.226055],
[0.869409, 0.321827, 0.221482],
[0.873741, 0.326906, 0.216886],
[0.878001, 0.33206, 0.212268],
[0.882188, 0.337287, 0.207628],
[0.886302, 0.342586, 0.202968],
[0.890341, 0.347957, 0.198286],
[0.894305, 0.353399, 0.193584],
[0.898192, 0.358911, 0.18886],
[0.902003, 0.364492, 0.184116],
[0.905735, 0.37014, 0.17935],
[0.90939, 0.375856, 0.174563],
[0.912966, 0.381636, 0.169755],
[0.916462, 0.387481, 0.164924],
[0.919879, 0.393389, 0.16007],
[0.923215, 0.399359, 0.155193],
[0.92647, 0.405389, 0.150292],
[0.929644, 0.411479, 0.145367],
[0.932737, 0.417627, 0.140417],
[0.935747, 0.423831, 0.13544],
[0.938675, 0.430091, 0.130438],
[0.941521, 0.436405, 0.125409],
[0.944285, 0.442772, 0.120354],
[0.946965, 0.449191, 0.115272],
[0.949562, 0.45566, 0.110164],
[0.952075, 0.462178, 0.105031],
[0.954506, 0.468744, 0.099874],
[0.956852, 0.475356, 0.094695],
[0.959114, 0.482014, 0.089499],
[0.961293, 0.488716, 0.084289],
[0.963387, 0.495462, 0.079073],
[0.965397, 0.502249, 0.073859],
[0.967322, 0.509078, 0.068659],
[0.969163, 0.515946, 0.063488],
[0.970919, 0.522853, 0.058367],
[0.97259, 0.529798, 0.053324],
[0.974176, 0.53678, 0.048392],
[0.975677, 0.543798, 0.043618],
[0.977092, 0.55085, 0.03905],
[0.978422, 0.557937, 0.034931],
[0.979666, 0.565057, 0.031409],
[0.980824, 0.572209, 0.028508],
[0.981895, 0.579392, 0.02625],
[0.982881, 0.586606, 0.024661],
[0.983779, 0.593849, 0.02377],
[0.984591, 0.601122, 0.023606],
[0.985315, 0.608422, 0.024202],
[0.985952, 0.61575, 0.025592],
[0.986502, 0.623105, 0.027814],
[0.986964, 0.630485, 0.030908],
[0.987337, 0.63789, 0.034916],
[0.987622, 0.64532, 0.039886],
[0.987819, 0.652773, 0.045581],
[0.987926, 0.66025, 0.05175],
[0.987945, 0.667748, 0.058329],
[0.987874, 0.675267, 0.065257],
[0.987714, 0.682807, 0.072489],
[0.987464, 0.690366, 0.07999],
[0.987124, 0.697944, 0.087731],
[0.986694, 0.70554, 0.095694],
[0.986175, 0.713153, 0.103863],
[0.985566, 0.720782, 0.112229],
[0.984865, 0.728427, 0.120785],
[0.984075, 0.736087, 0.129527],
[0.983196, 0.743758, 0.138453],
[0.982228, 0.751442, 0.147565],
[0.981173, 0.759135, 0.156863],
[0.980032, 0.766837, 0.166353],
[0.978806, 0.774545, 0.176037],
[0.977497, 0.782258, 0.185923],
[0.976108, 0.789974, 0.196018],
[0.974638, 0.797692, 0.206332],
[0.973088, 0.805409, 0.216877],
[0.971468, 0.813122, 0.227658],
[0.969783, 0.820825, 0.238686],
[0.968041, 0.828515, 0.249972],
[0.966243, 0.836191, 0.261534],
[0.964394, 0.843848, 0.273391],
[0.962517, 0.851476, 0.285546],
[0.960626, 0.859069, 0.29801],
[0.95872, 0.866624, 0.31082],
[0.956834, 0.874129, 0.323974],
[0.954997, 0.881569, 0.337475],
[0.953215, 0.888942, 0.351369],
[0.951546, 0.896226, 0.365627],
[0.950018, 0.903409, 0.380271],
[0.948683, 0.910473, 0.395289],
[0.947594, 0.917399, 0.410665],
[0.946809, 0.924168, 0.426373],
[0.946392, 0.930761, 0.442367],
[0.946403, 0.937159, 0.458592],
[0.946903, 0.943348, 0.47497],
[0.947937, 0.949318, 0.491426],
[0.949545, 0.955063, 0.50786],
[0.95174, 0.960587, 0.524203],
[0.954529, 0.965896, 0.540361],
[0.957896, 0.971003, 0.556275],
[0.961812, 0.975924, 0.571925],
[0.966249, 0.980678, 0.587206],
[0.971162, 0.985282, 0.602154],
[0.976511, 0.989753, 0.61676],
[0.982257, 0.994109, 0.631017],
[0.988362, 0.998364, 0.644924]]
</code></pre></div>
<p dir="auto">Either it shouldn't allow you to specify a lutsize or it should produce a correct name, I would think.</p>
<p dir="auto">MPL 1.5.1<br>
Windows 7 64-bit<br>
Python 2.7.11 |Anaconda 2.5.0 (64-bit)| (default, Jan 29 2016, 14:26:21) [MSC v.1500 64 bit (AMD64)]<br>
IPython 4.0.3</p> | <p dir="auto">Hello,</p>
<p dir="auto"><strong>my system:</strong><br>
Win10(64), IDE PyCharm, python 3.9(64), numpy 1.19.2, matplotlib 3.2.2 & 3.3.0</p>
<p dir="auto">the code below works with mpl 3.2.2 but no longer works with 3.3.0</p>
<p dir="auto"><strong>with mpl 3.2.2</strong><br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/4279914/96368683-82d7b880-1155-11eb-9938-5f9d59d28d07.png"><img src="https://user-images.githubusercontent.com/4279914/96368683-82d7b880-1155-11eb-9938-5f9d59d28d07.png" alt="wind cut 3-2-2" style="max-width: 100%;"></a><br>
<strong>with mpl 3.3.0</strong></p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/4279914/96368696-9551f200-1155-11eb-89d5-6d85f4680efe.png"><img src="https://user-images.githubusercontent.com/4279914/96368696-9551f200-1155-11eb-89d5-6d85f4680efe.png" alt="wind cut 3-3-0" style="max-width: 100%;"></a></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""github_wind_multi_cut_V2.py"""
import numpy
import matplotlib
import matplotlib.pyplot as plt
from matplotlib.gridspec import GridSpec
from matplotlib.ticker import FormatStrFormatter as mpl_ticker_FormatStrFormatter
def plot_seite():
fig = plt.figure(figsize=(42.0/3, 29.7/3))
gs = GridSpec(13, 12)
axes_polar = fig.add_subplot(gs[0:9, 3:10], projection='polar')
axes = [axes_polar]
def move_figure(f, x, y):
backend = matplotlib.get_backend()
if backend == 'TkAgg':
f.canvas.manager.window.wm_geometry("+%d+%d" % (x, y))
elif backend == 'WXAgg':
f.canvas.manager.window.SetPosition((x, y))
else:
f.canvas.manager.window.move(x, y)
return
move_figure(fig, 125, 1)
place = 0
axes[place].set_title('example',
x=0.5, y=1.075, ha='center', va='top',
fontsize=12, weight='normal', color='dimgray')
axes[place].set_theta_zero_location("N")
axes[place].set_theta_direction(-1)
axes[place].set_xticks(numpy.deg2rad(numpy.arange(0, 360, 45/1)), minor=False)
axes[place].set_xticks(numpy.deg2rad(numpy.arange(0, 360, 45/2)), minor=True)
axes[place].xaxis.grid(True, ls='-', lw=0.8, which='major', color='darkgray')
axes[place].xaxis.grid(True, ls='-', lw=0.4, which='minor', color='lightgrey')
axes[place].set_xticklabels(
['N', ' NO', 'O', ' SO', 'S', 'SW ', 'W', 'NW '],
color='black', alpha=0.7, fontsize=12, weight='normal', minor=False)
axes[place].set_xticklabels(
['NNO', 'ONO', 'OSO', 'SSO', 'SSW', 'WSW ', 'WNW ', 'NNW'],
color='dimgray', fontsize=8, weight='normal', minor=True)
axes[place].tick_params(axis='x', which='major', pad=3)
axes[place].tick_params(axis='x', which='minor', pad=1.5)
axes[place].spines['polar'].set_color('gray')
axes[place].spines['polar'].set_alpha(1)
axes[place].spines['polar'].set_lw(0.8)
axes[place].set_ylim(0, 40)
axes[place].set_yticks(numpy.arange(0, 40, 40/4), minor=False)
axes[place].set_yticks(numpy.arange(0, 40, 40/8), minor=True)
axes[place].yaxis.grid(True, ls='-', lw=0.8, which='major', color='darkgray')
axes[place].yaxis.grid(True, ls='-', lw=0.4, which='minor', color='silver')
axes[place].set_rlabel_position(90)
axes[place].set_rgrids(
numpy.arange(0, 40, int(40/4)),
labels=['', '10', '20', '30'],
color='gray', fontsize=9, weight='bold', angle=90)
axes[place].yaxis.set_minor_formatter(mpl_ticker_FormatStrFormatter("%.1i"))
axes[place].tick_params(axis='y', which='minor', labelsize=9, colors='grey')
plt.show()
return
if __name__ == "__main__":
plot_seite()"><pre class="notranslate"><code class="notranslate">#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""github_wind_multi_cut_V2.py"""
import numpy
import matplotlib
import matplotlib.pyplot as plt
from matplotlib.gridspec import GridSpec
from matplotlib.ticker import FormatStrFormatter as mpl_ticker_FormatStrFormatter
def plot_seite():
fig = plt.figure(figsize=(42.0/3, 29.7/3))
gs = GridSpec(13, 12)
axes_polar = fig.add_subplot(gs[0:9, 3:10], projection='polar')
axes = [axes_polar]
def move_figure(f, x, y):
backend = matplotlib.get_backend()
if backend == 'TkAgg':
f.canvas.manager.window.wm_geometry("+%d+%d" % (x, y))
elif backend == 'WXAgg':
f.canvas.manager.window.SetPosition((x, y))
else:
f.canvas.manager.window.move(x, y)
return
move_figure(fig, 125, 1)
place = 0
axes[place].set_title('example',
x=0.5, y=1.075, ha='center', va='top',
fontsize=12, weight='normal', color='dimgray')
axes[place].set_theta_zero_location("N")
axes[place].set_theta_direction(-1)
axes[place].set_xticks(numpy.deg2rad(numpy.arange(0, 360, 45/1)), minor=False)
axes[place].set_xticks(numpy.deg2rad(numpy.arange(0, 360, 45/2)), minor=True)
axes[place].xaxis.grid(True, ls='-', lw=0.8, which='major', color='darkgray')
axes[place].xaxis.grid(True, ls='-', lw=0.4, which='minor', color='lightgrey')
axes[place].set_xticklabels(
['N', ' NO', 'O', ' SO', 'S', 'SW ', 'W', 'NW '],
color='black', alpha=0.7, fontsize=12, weight='normal', minor=False)
axes[place].set_xticklabels(
['NNO', 'ONO', 'OSO', 'SSO', 'SSW', 'WSW ', 'WNW ', 'NNW'],
color='dimgray', fontsize=8, weight='normal', minor=True)
axes[place].tick_params(axis='x', which='major', pad=3)
axes[place].tick_params(axis='x', which='minor', pad=1.5)
axes[place].spines['polar'].set_color('gray')
axes[place].spines['polar'].set_alpha(1)
axes[place].spines['polar'].set_lw(0.8)
axes[place].set_ylim(0, 40)
axes[place].set_yticks(numpy.arange(0, 40, 40/4), minor=False)
axes[place].set_yticks(numpy.arange(0, 40, 40/8), minor=True)
axes[place].yaxis.grid(True, ls='-', lw=0.8, which='major', color='darkgray')
axes[place].yaxis.grid(True, ls='-', lw=0.4, which='minor', color='silver')
axes[place].set_rlabel_position(90)
axes[place].set_rgrids(
numpy.arange(0, 40, int(40/4)),
labels=['', '10', '20', '30'],
color='gray', fontsize=9, weight='bold', angle=90)
axes[place].yaxis.set_minor_formatter(mpl_ticker_FormatStrFormatter("%.1i"))
axes[place].tick_params(axis='y', which='minor', labelsize=9, colors='grey')
plt.show()
return
if __name__ == "__main__":
plot_seite()
</code></pre></div>
<p dir="auto"><strong>Thanks</strong></p> | 0 |
<p dir="auto">In,</p>
<div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="trait BitIter {
type Iter: Iterator<Item=bool>;
pub fn bit_iter(self) -> <Self as BitIter>::Iter;
}
pub fn test_bad<Sym: BitIter>(sym: Sym) {
let i = sym.bit_iter();
}
pub fn test_good<Sym: BitIter>(sym: Sym)
where <Sym as BitIter>::Iter: Iterator<Item=bool> {
let i = sym.bit_iter();
}
pub fn main() {}"><pre class="notranslate"><span class="pl-k">trait</span> <span class="pl-smi">BitIter</span> <span class="pl-kos">{</span>
<span class="pl-k">type</span> <span class="pl-smi">Iter</span><span class="pl-kos">:</span> <span class="pl-smi">Iterator</span><span class="pl-kos"><</span><span class="pl-smi">Item</span>=<span class="pl-smi">bool</span><span class="pl-kos">></span><span class="pl-kos">;</span>
<span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">bit_iter</span><span class="pl-kos">(</span><span class="pl-smi">self</span><span class="pl-kos">)</span> -> <<span class="pl-smi">Self</span> <span class="pl-k">as</span> <span class="pl-smi">BitIter</span>><span class="pl-kos">::</span><span class="pl-smi">Iter</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">test_bad</span><span class="pl-kos"><</span><span class="pl-smi">Sym</span><span class="pl-kos">:</span> <span class="pl-smi">BitIter</span><span class="pl-kos">></span><span class="pl-kos">(</span><span class="pl-s1">sym</span><span class="pl-kos">:</span> <span class="pl-smi">Sym</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">let</span> i = sym<span class="pl-kos">.</span><span class="pl-en">bit_iter</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">test_good</span><span class="pl-kos"><</span><span class="pl-smi">Sym</span><span class="pl-kos">:</span> <span class="pl-smi">BitIter</span><span class="pl-kos">></span><span class="pl-kos">(</span><span class="pl-s1">sym</span><span class="pl-kos">:</span> <span class="pl-smi">Sym</span><span class="pl-kos">)</span>
<span class="pl-k">where</span> <<span class="pl-smi">Sym</span> <span class="pl-k">as</span> <span class="pl-smi">BitIter</span>><span class="pl-kos">::</span><span class="pl-smi">Iter</span><span class="pl-kos">:</span> <span class="pl-smi">Iterator</span><span class="pl-kos"><</span><span class="pl-smi">Item</span>=<span class="pl-smi">bool</span><span class="pl-kos">></span> <span class="pl-kos">{</span>
<span class="pl-k">let</span> i = sym<span class="pl-kos">.</span><span class="pl-en">bit_iter</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">main</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span><span class="pl-kos">}</span></pre></div>
<p dir="auto"><code class="notranslate">test_bad</code> fails to compile, despite the bounds on <code class="notranslate">BitIter::Iter</code> with,</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="hi.rs:7:17: 7:27 error: type mismatch resolving `<<Sym as BitIter>::Iter as core::iter::Iterator>::Item == bool`: expected associated type, found bool
hi.rs:7 let i = sym.bit_iter();
^~~~~~~~~~"><pre class="notranslate"><code class="notranslate">hi.rs:7:17: 7:27 error: type mismatch resolving `<<Sym as BitIter>::Iter as core::iter::Iterator>::Item == bool`: expected associated type, found bool
hi.rs:7 let i = sym.bit_iter();
^~~~~~~~~~
</code></pre></div> | <p dir="auto">Take this code:</p>
<div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="trait Foo { type Value: 'static; }
fn require_static<T: 'static>() {}
fn takes_foo<F: Foo>() {
require_static::<F::Value>()
}"><pre class="notranslate"><span class="pl-k">trait</span> <span class="pl-smi">Foo</span> <span class="pl-kos">{</span> <span class="pl-k">type</span> <span class="pl-smi">Value</span><span class="pl-kos">:</span> <span class="pl-c1">'</span><span class="pl-ent">static</span><span class="pl-kos">;</span> <span class="pl-kos">}</span>
<span class="pl-k">fn</span> <span class="pl-en">require_static</span><span class="pl-kos"><</span><span class="pl-smi">T</span><span class="pl-kos">:</span> <span class="pl-c1">'</span><span class="pl-ent">static</span><span class="pl-kos">></span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span><span class="pl-kos">}</span>
<span class="pl-k">fn</span> <span class="pl-en">takes_foo</span><span class="pl-kos"><</span><span class="pl-smi">F</span><span class="pl-kos">:</span> <span class="pl-smi">Foo</span><span class="pl-kos">></span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-en">require_static</span><span class="pl-kos">::</span><span class="pl-kos"><</span><span class="pl-smi">F</span><span class="pl-kos">::</span><span class="pl-smi">Value</span><span class="pl-kos">></span><span class="pl-kos">(</span><span class="pl-kos">)</span>
<span class="pl-kos">}</span></pre></div>
<p dir="auto">Since <code class="notranslate">Foo::Value</code> is bounded with <code class="notranslate">'static</code>, we would expect this to compile, but instead we get this error message:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="<anon>:6:3: 6:29 error: the associated type `<F as Foo>::Value` may not live long enough
<anon>:6 require_static::<F::Value>()
^~~~~~~~~~~~~~~~~~~~~~~~~~
<anon>:6:3: 6:29 help: consider adding an explicit lifetime bound `<F as Foo>::Value: 'static`...
<anon>:6 require_static::<F::Value>()
^~~~~~~~~~~~~~~~~~~~~~~~~~
<anon>:6:3: 6:29 note: ...so that the declared lifetime parameter bounds are satisfied
<anon>:6 require_static::<F::Value>()
^~~~~~~~~~~~~~~~~~~~~~~~~~
error: aborting due to previous error"><pre class="notranslate"><code class="notranslate"><anon>:6:3: 6:29 error: the associated type `<F as Foo>::Value` may not live long enough
<anon>:6 require_static::<F::Value>()
^~~~~~~~~~~~~~~~~~~~~~~~~~
<anon>:6:3: 6:29 help: consider adding an explicit lifetime bound `<F as Foo>::Value: 'static`...
<anon>:6 require_static::<F::Value>()
^~~~~~~~~~~~~~~~~~~~~~~~~~
<anon>:6:3: 6:29 note: ...so that the declared lifetime parameter bounds are satisfied
<anon>:6 require_static::<F::Value>()
^~~~~~~~~~~~~~~~~~~~~~~~~~
error: aborting due to previous error
</code></pre></div>
<p dir="auto">Which seems redundant, if not incorrect.</p>
<p dir="auto">playpen: <a href="http://is.gd/UkEaDV" rel="nofollow">http://is.gd/UkEaDV</a></p>
<p dir="auto">cc <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/nikomatsakis/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/nikomatsakis">@nikomatsakis</a> from IRC</p> | 1 |
<p dir="auto">Suppose we create an index with the following dynamic mapping in order to indicate that any element starting with 'nested_' should be typed as nested:</p>
<div class="highlight highlight-source-json notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="{
"test": {
"dynamic_templates":[
{
"nested_field": {
"mapping":{
"type":"nested"
},
"match":"nested_*"
}
}
]
}
}"><pre class="notranslate">{
<span class="pl-ent">"test"</span>: {
<span class="pl-ent">"dynamic_templates"</span>:[
{
<span class="pl-ent">"nested_field"</span>: {
<span class="pl-ent">"mapping"</span>:{
<span class="pl-ent">"type"</span>:<span class="pl-s"><span class="pl-pds">"</span>nested<span class="pl-pds">"</span></span>
},
<span class="pl-ent">"match"</span>:<span class="pl-s"><span class="pl-pds">"</span>nested_*<span class="pl-pds">"</span></span>
}
}
]
}
}</pre></div>
<p dir="auto">If you want to perform a nested query when there is no data in the index yet, we'll get an exception. For example:</p>
<div class="highlight highlight-source-json notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="{
"query": {
"nested": {
"path": "nested_field",
"query": {
"match": {"nested_field.a": "foo"}
}
}
}
}"><pre class="notranslate">{
<span class="pl-ent">"query"</span>: {
<span class="pl-ent">"nested"</span>: {
<span class="pl-ent">"path"</span>: <span class="pl-s"><span class="pl-pds">"</span>nested_field<span class="pl-pds">"</span></span>,
<span class="pl-ent">"query"</span>: {
<span class="pl-ent">"match"</span>: {<span class="pl-ent">"nested_field.a"</span>: <span class="pl-s"><span class="pl-pds">"</span>foo<span class="pl-pds">"</span></span>}
}
}
}
}</pre></div>
<p dir="auto">would give us a "failed to find nested object under path" exception.</p>
<p dir="auto">We can avoid this error by declaring the mapping of the nested fields in a static way (instead of dynamic), but then you loose the power of these dynamic templates.</p>
<p dir="auto">So my question is: would it be possible to silently ignore these "failed to find nested object under path" exceptions so that it makes sense to declare nested types inside the dynamic templates?</p> | <p dir="auto"><strong>Elasticsearch version</strong>: 2.3.3</p>
<p dir="auto"><strong>JVM version</strong>: 1.8.0_91</p>
<p dir="auto"><strong>OS version</strong>: Ubuntu 14.04</p>
<p dir="auto"><strong>Description of the problem including expected versus actual behavior</strong>:</p>
<p dir="auto"><a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/jpountz/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/jpountz">@jpountz</a> I think I might have found a problem as a result of the quick fix from <a href="https://github.com/elastic/elasticsearch/issues/18740" data-hovercard-type="issue" data-hovercard-url="/elastic/elasticsearch/issues/18740/hovercard">issue #18740</a>. It doesn't give me the "Mixing up field types" error anymore but it tells me that the IPs are not valid:</p>
<p dir="auto"><strong>Provide logs (if relevant)</strong>:<br>
<code class="notranslate">source[{"@version":"1","@timestamp":"2016-06-27T21:16:52.085Z","domain_name":"2667500489.MARS.ORDERBOX-DNS.COM.","type":"A","ip_address":"162.251.82.124,162.251.82.125,162.251.82.252,162.251.82.253","domain_name_exact":"2667500489.MARS.ORDERBOX-DNS.COM.","domain_name_length":33,"ip_address_exact":"162.251.82.124,162.251.82.125,162.251.82.252,162.251.82.253","domain_name_segmented":["2667500489mars","order","box","dns"],"last_registered":"2016-05-01T10:00:00.000-0500"}]} MapperParsingException[failed to parse [ip_address]]; nested: IllegalArgumentException[failed to parse ip [162.251.82.124,162.251.82.125,162.251.82.252,162.251.82.253], not a valid ip address]; at org.elasticsearch.index.mapper.FieldMapper.parse(FieldMapper.java:329) at org.elasticsearch.index.mapper.DocumentParser.parseObjectOrField(DocumentParser.java:309) at org.elasticsearch.index.mapper.DocumentParser.parseValue(DocumentParser.java:436) at org.elasticsearch.index.mapper.DocumentParser.parseObject(DocumentParser.java:262) at org.elasticsearch.index.mapper.DocumentParser.parseDocument(DocumentParser.java:122) at org.elasticsearch.index.mapper.DocumentMapper.parse(DocumentMapper.java:309) at org.elasticsearch.index.shard.IndexShard.prepareIndex(IndexShard.java:580) at org.elasticsearch.index.shard.IndexShard.prepareIndexOnPrimary(IndexShard.java:559) at org.elasticsearch.action.index.TransportIndexAction.prepareIndexOperationOnPrimary(TransportIndexAction.java:212) at org.elasticsearch.action.index.TransportIndexAction.executeIndexRequestOnPrimary(TransportIndexAction.java:224) at org.elasticsearch.action.bulk.TransportShardBulkAction.shardIndexOperation(TransportShardBulkAction.java:326) at org.elasticsearch.action.bulk.TransportShardBulkAction.shardUpdateOperation(TransportShardBulkAction.java:389) at org.elasticsearch.action.bulk.TransportShardBulkAction.shardOperationOnPrimary(TransportShardBulkAction.java:191) at org.elasticsearch.action.bulk.TransportShardBulkAction.shardOperationOnPrimary(TransportShardBulkAction.java:68) at org.elasticsearch.action.support.replication.TransportReplicationAction$PrimaryPhase.doRun(TransportReplicationAction.java:639) at org.elasticsearch.common.util.concurrent.AbstractRunnable.run(AbstractRunnable.java:37) at org.elasticsearch.action.support.replication.TransportReplicationAction$PrimaryOperationTransportHandler.messageReceived(TransportReplicationAction.java:279) at org.elasticsearch.action.support.replication.TransportReplicationAction$PrimaryOperationTransportHandler.messageReceived(TransportReplicationAction.java:271) at org.elasticsearch.transport.RequestHandlerRegistry.processMessageReceived(RequestHandlerRegistry.java:75) at org.elasticsearch.transport.TransportService$4.doRun(TransportService.java:376) at org.elasticsearch.common.util.concurrent.AbstractRunnable.run(AbstractRunnable.java:37) at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1142) at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:617) at java.lang.Thread.run(Thread.java:745) Caused by: java.lang.IllegalArgumentException: failed to parse ip [162.251.82.124,162.251.82.125,162.251.82.252,162.251.82.253], not a valid ip address at org.elasticsearch.index.mapper.ip.IpFieldMapper.ipToLong(IpFieldMapper.java:84) at org.elasticsearch.index.mapper.ip.IpFieldMapper.innerParseCreateField(IpFieldMapper.java:351) at org.elasticsearch.index.mapper.core.NumberFieldMapper.parseCreateField(NumberFieldMapper.java:241) at org.elasticsearch.index.mapper.FieldMapper.parse(FieldMapper.java:321) ... 23 more </code><br>
Here's the mapping:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="{
"settings": {
"number_of_shards": {{ num_shards }},
"number_of_replicas": 2,
"index":{
"analysis":{
"analyzer":{
"keylower":{
"tokenizer":"keyword",
"filter":"lowercase"
}
}
}
}
},
"mappings": {
"_default_": {
"properties": {
"ip_address":{
"type":"ip"
}
}
},
"NS": {
"properties": {
"domain_name": {
"type": "string",
"index": "analyzed",
"analyzer":"keylower"
},
"domain_name_exact": {
"type": "string",
"index":"not_analyzed"
},
"domain_name_length": {
"type": "integer"
},
"type": {
"type": "string",
"index": "not_analyzed"
},
"is_registered": {
"type": "boolean"
},
"last_registered": {
"type": "date"
},
"last_deregistered": {
"type": "date"
},
"registered_history": {
"type": "date"
},
"deregistered_history": {
"type": "date"
},
"name_servers": {
"type": "string",
"index": "analyzed"
},
"name_servers_exact": {
"type": "string",
"index":"not_analyzed"
},
"past_name_servers": {
"type": "string",
"index": "analyzed"
},
"past_name_servers_exact": {
"type": "string",
"index":"not_analyzed"
},
"domain_name_segmented": {
"type": "string",
"index": "not_analyzed"
},
"domain_name_exact_pronounceability": {
"type": "integer"
},
"domain_name_segmented_pronounceability": {
"type": "integer"
}
}
},
"A": {
"properties": {
"domain_name": {
"type": "string",
"index": "analyzed",
"analyzer":"keylower"
},
"domain_name_exact": {
"type": "string",
"index":"not_analyzed"
},
"domain_name_length": {
"type": "integer"
},
"type": {
"type": "string",
"index": "not_analyzed"
},
"ip_address": {
"type": "ip"
},
"ip_address_exact": {
"type": "string",
"index": "not_analyzed"
}
}
}
}
}"><pre class="notranslate"><code class="notranslate">{
"settings": {
"number_of_shards": {{ num_shards }},
"number_of_replicas": 2,
"index":{
"analysis":{
"analyzer":{
"keylower":{
"tokenizer":"keyword",
"filter":"lowercase"
}
}
}
}
},
"mappings": {
"_default_": {
"properties": {
"ip_address":{
"type":"ip"
}
}
},
"NS": {
"properties": {
"domain_name": {
"type": "string",
"index": "analyzed",
"analyzer":"keylower"
},
"domain_name_exact": {
"type": "string",
"index":"not_analyzed"
},
"domain_name_length": {
"type": "integer"
},
"type": {
"type": "string",
"index": "not_analyzed"
},
"is_registered": {
"type": "boolean"
},
"last_registered": {
"type": "date"
},
"last_deregistered": {
"type": "date"
},
"registered_history": {
"type": "date"
},
"deregistered_history": {
"type": "date"
},
"name_servers": {
"type": "string",
"index": "analyzed"
},
"name_servers_exact": {
"type": "string",
"index":"not_analyzed"
},
"past_name_servers": {
"type": "string",
"index": "analyzed"
},
"past_name_servers_exact": {
"type": "string",
"index":"not_analyzed"
},
"domain_name_segmented": {
"type": "string",
"index": "not_analyzed"
},
"domain_name_exact_pronounceability": {
"type": "integer"
},
"domain_name_segmented_pronounceability": {
"type": "integer"
}
}
},
"A": {
"properties": {
"domain_name": {
"type": "string",
"index": "analyzed",
"analyzer":"keylower"
},
"domain_name_exact": {
"type": "string",
"index":"not_analyzed"
},
"domain_name_length": {
"type": "integer"
},
"type": {
"type": "string",
"index": "not_analyzed"
},
"ip_address": {
"type": "ip"
},
"ip_address_exact": {
"type": "string",
"index": "not_analyzed"
}
}
}
}
}
</code></pre></div>
<p dir="auto">I'm not sure if this is unrelated but I've exhausted the docs and discussion at this point. I'm dealing with 20 shards(also 20 nodes), 2 replicas, 16GB of ram(8GB to heap), mlockall set to true, ran "sudo swapoff -a" on all the machines and still have problems with the GB not doing its job and nodes becoming unresponsive. Looking at the logs, I was getting errors like the one above before the GC warnings appeared, can they be related?</p> | 0 |
<p dir="auto">Although <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="429108530" data-permission-text="Title is private" data-url="https://github.com/tensorflow/tensorflow/issues/27493" data-hovercard-type="pull_request" data-hovercard-url="/tensorflow/tensorflow/pull/27493/hovercard" href="https://github.com/tensorflow/tensorflow/pull/27493">#27493</a> resolves our CI failures, there's still a critical issue to address that <strong>must be fixed before April 15</strong>: we couldn't figure out how to get symlinks working properly in Bazel-generated archives, so the extra <code class="notranslate">tensorflow_framework.so.*.*</code> files are all duplicates. The pip wheel is now ~120MB:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="... ... 120M Apr 5 16:05 tensorflow-1.13.1-cp27-cp27mu-linux_x86_64.whl"><pre class="notranslate"><code class="notranslate">... ... 120M Apr 5 16:05 tensorflow-1.13.1-cp27-cp27mu-linux_x86_64.whl
</code></pre></div>
<p dir="auto"><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="252417197" data-permission-text="Title is private" data-url="https://github.com/pypa/packaging-problems/issues/101" data-hovercard-type="issue" data-hovercard-url="/pypa/packaging-problems/issues/101/hovercard" href="https://github.com/pypa/packaging-problems/issues/101">pypa/packaging-problems#101</a> seems to be the most recent documentation explaining TF's maximum wheel size limit, which is currently 100MB. We won't be able to upload the 1.14 release until this is addressed. TF is <a href="https://pypi.org/project/tensorflow/#files" rel="nofollow">just scraping the limit at 92MB</a>, so all extra files will have to be symlinks to fix this properly.</p>
<p dir="auto">The libtensorflow archives are affected by this as well.</p>
<p dir="auto">FYI <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/gunan/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/gunan">@gunan</a>, assigning to myself and <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/perfinion/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/perfinion">@perfinion</a>.</p> | <p dir="auto">NOTE: Only file GitHub issues for bugs and feature requests. All other topics will be closed.</p>
<h3 dir="auto">Environment info</h3>
<p dir="auto">Operating System: Ubuntu16.04</p>
<p dir="auto">Installed version of CUDA and cuDNN: 8.0 and 5</p>
<p dir="auto">Python 2.7.12 (default, Jul 1 2016, 15:12:24)<br>
[GCC 5.4.0 20160609] on linux2<br>
Type "help", "copyright", "credits" or "license" for more information.</p>
<blockquote>
<blockquote>
<blockquote>
<p dir="auto">import tensorflow<br>
Traceback (most recent call last):<br>
File "", line 1, in <br>
File "/usr/local/lib/python2.7/dist-packages/tensorflow/<strong>init</strong>.py", line 23, in <br>
from tensorflow.python import *<br>
File "/usr/local/lib/python2.7/dist-packages/tensorflow/python/<strong>init</strong>.py", line 49, in <br>
from tensorflow.python import pywrap_tensorflow<br>
File "/usr/local/lib/python2.7/dist-packages/tensorflow/python/pywrap_tensorflow.py", line 28, in <br>
_pywrap_tensorflow = swig_import_helper()<br>
File "/usr/local/lib/python2.7/dist-packages/tensorflow/python/pywrap_tensorflow.py", line 24, in swig_import_helper<br>
_mod = imp.load_module('_pywrap_tensorflow', fp, pathname, description)<br>
ImportError: /usr/local/lib/python2.7/dist-packages/tensorflow/python/_pywrap_tensorflow.so: undefined symbol: _Z14tf_git_versionv</p>
</blockquote>
</blockquote>
</blockquote>
<p dir="auto">I'm getting this error above with r0.10, can you please give me some insights or solutions to this?</p>
<p dir="auto">Thanks</p> | 0 |
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have searched the <a href="https://github.com/apache/dubbo/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have checked the <a href="https://github.com/apache/dubbo/blob/master/FAQ.md">FAQ</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h3 dir="auto">Environment</h3>
<ul dir="auto">
<li>Dubbo version: 2.7.3/master</li>
<li>Operating System version: mac</li>
<li>Java version: 1.8</li>
</ul>
<h3 dir="auto">Steps to reproduce this issue</h3>
<h2 dir="auto">问题描述</h2>
<blockquote>
<p dir="auto">简写属性</p>
</blockquote>
<div class="highlight highlight-source-ini notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="embedded.zookeeper.port=2181
dubbo.registry.address=zookeeper://127.0.0.1:${embedded.zookeeper.port}
dubbo.metadata-report.address=zookeeper://127.0.0.1:${embedded.zookeeper.port}
dubbo.config-center.address=zookeeper://127.0.0.1:${embedded.zookeeper.port}"><pre class="notranslate"><span class="pl-k">embedded.zookeeper.port</span>=2181
<span class="pl-k">dubbo.registry.address</span>=zookeeper://127.0.0.1:${embedded.zookeeper.port}
<span class="pl-k">dubbo.metadata-report.address</span>=zookeeper://127.0.0.1:${embedded.zookeeper.port}
<span class="pl-k">dubbo.config-center.address</span>=zookeeper://127.0.0.1:${embedded.zookeeper.port}</pre></div>
<blockquote>
<p dir="auto">程序启动后,在<code class="notranslate">dubbo-master</code>分支${embedded.zookeeper.port}值为NULL。</p>
</blockquote>
<h2 dir="auto">原因分析</h2>
<blockquote>
<p dir="auto">dubbo-master代码</p>
</blockquote>
<div class="highlight highlight-source-java notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" @Override
public Object getProperty(String key, Object defaultValue) {
Object value = null;
if (StringUtils.isNotEmpty(prefix)) {
if (StringUtils.isNotEmpty(id)) {
value = getInternalProperty(prefix + id + "." + key);
}
if (value == null) {
value = getInternalProperty(prefix + key);
}
} else {
value = getInternalProperty(key);
}
return value != null ? value : defaultValue;
}"><pre class="notranslate"> <span class="pl-c1">@</span><span class="pl-c1">Override</span>
<span class="pl-k">public</span> <span class="pl-smi">Object</span> <span class="pl-s1">getProperty</span>(<span class="pl-smi">String</span> <span class="pl-s1">key</span>, <span class="pl-smi">Object</span> <span class="pl-s1">defaultValue</span>) {
<span class="pl-smi">Object</span> <span class="pl-s1">value</span> = <span class="pl-c1">null</span>;
<span class="pl-k">if</span> (<span class="pl-smi">StringUtils</span>.<span class="pl-en">isNotEmpty</span>(<span class="pl-s1">prefix</span>)) {
<span class="pl-k">if</span> (<span class="pl-smi">StringUtils</span>.<span class="pl-en">isNotEmpty</span>(<span class="pl-s1">id</span>)) {
<span class="pl-s1">value</span> = <span class="pl-en">getInternalProperty</span>(<span class="pl-s1">prefix</span> + <span class="pl-s1">id</span> + <span class="pl-s">"."</span> + <span class="pl-s1">key</span>);
}
<span class="pl-k">if</span> (<span class="pl-s1">value</span> == <span class="pl-c1">null</span>) {
<span class="pl-s1">value</span> = <span class="pl-en">getInternalProperty</span>(<span class="pl-s1">prefix</span> + <span class="pl-s1">key</span>);
}
} <span class="pl-k">else</span> {
<span class="pl-s1">value</span> = <span class="pl-en">getInternalProperty</span>(<span class="pl-s1">key</span>);
}
<span class="pl-k">return</span> <span class="pl-s1">value</span> != <span class="pl-c1">null</span> ? <span class="pl-s1">value</span> : <span class="pl-s1">defaultValue</span>;
}</pre></div>
<blockquote>
<p dir="auto"><code class="notranslate">InmemoryConfiguration</code>里面的store存取的值是没有前缀的,如:"address" -> "zookeeper://127.0.0.1:2181"、"prefix" -> "dubbo.config-center"、"namespace" -> "henry1"等。所以在<code class="notranslate">getInternalProperty(prefix + key);</code>获取失败的。然后会进入<code class="notranslate">PropertiesConfiguration</code>获取,但是里面的数据结构为,如:"dubbo.registry.address" -> "zookeeper://127.0.0.1:${embedded.zookeeper.port}"。但是解析${embedded.zookeeper.port}时,参数集合里是没有的,因为<code class="notranslate">OverrideDubboConfigApplicationListener</code>将所有非dubbo.开头的全部过滤掉了,除非将embedded.zookeeper.port改成dubbo.embedded.zookeeper.port就可以了。</p>
</blockquote>
<blockquote>
<p dir="auto">2.7.3代码</p>
</blockquote>
<div class="highlight highlight-source-java notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" @Override
public Object getProperty(String key, Object defaultValue) {
Object value = null;
if (StringUtils.isNotEmpty(prefix) && StringUtils.isNotEmpty(id)) {
value = getInternalProperty(prefix + id + "." + key);
}
if (value == null && StringUtils.isNotEmpty(prefix)) {
value = getInternalProperty(prefix + key);
}
if (value == null) {
value = getInternalProperty(key);
}
return value != null ? value : defaultValue;
}"><pre class="notranslate"> <span class="pl-c1">@</span><span class="pl-c1">Override</span>
<span class="pl-k">public</span> <span class="pl-smi">Object</span> <span class="pl-s1">getProperty</span>(<span class="pl-smi">String</span> <span class="pl-s1">key</span>, <span class="pl-smi">Object</span> <span class="pl-s1">defaultValue</span>) {
<span class="pl-smi">Object</span> <span class="pl-s1">value</span> = <span class="pl-c1">null</span>;
<span class="pl-k">if</span> (<span class="pl-smi">StringUtils</span>.<span class="pl-en">isNotEmpty</span>(<span class="pl-s1">prefix</span>) && <span class="pl-smi">StringUtils</span>.<span class="pl-en">isNotEmpty</span>(<span class="pl-s1">id</span>)) {
<span class="pl-s1">value</span> = <span class="pl-en">getInternalProperty</span>(<span class="pl-s1">prefix</span> + <span class="pl-s1">id</span> + <span class="pl-s">"."</span> + <span class="pl-s1">key</span>);
}
<span class="pl-k">if</span> (<span class="pl-s1">value</span> == <span class="pl-c1">null</span> && <span class="pl-smi">StringUtils</span>.<span class="pl-en">isNotEmpty</span>(<span class="pl-s1">prefix</span>)) {
<span class="pl-s1">value</span> = <span class="pl-en">getInternalProperty</span>(<span class="pl-s1">prefix</span> + <span class="pl-s1">key</span>);
}
<span class="pl-k">if</span> (<span class="pl-s1">value</span> == <span class="pl-c1">null</span>) {
<span class="pl-s1">value</span> = <span class="pl-en">getInternalProperty</span>(<span class="pl-s1">key</span>);
}
<span class="pl-k">return</span> <span class="pl-s1">value</span> != <span class="pl-c1">null</span> ? <span class="pl-s1">value</span> : <span class="pl-s1">defaultValue</span>;
}</pre></div>
<blockquote>
<p dir="auto">为什么2.7.3代码可以的,因为<code class="notranslate">getInternalProperty(prefix + key);</code>获取为NULL后,会继续走<code class="notranslate">getInternalProperty(key)</code>,所以值取出来了。</p>
</blockquote>
<blockquote>
<p dir="auto">但是master 这样写是为了解决在windows下获取环境变量path,长度超长(之前我遇到的问题是这样)。</p>
</blockquote>
<p dir="auto">Pls. provide [GitHub address] to reproduce this issue.</p>
<h3 dir="auto">Expected Result</h3>
<p dir="auto">我不知道这个算不算BUG,但是怕后面的人会遇到,还是建了一个issue。</p>
<h3 dir="auto">Actual Result</h3>
<p dir="auto">What actually happens?</p>
<p dir="auto">If there is an exception, please attach the exception trace:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Just put your stack trace here!"><pre class="notranslate"><code class="notranslate">Just put your stack trace here!
</code></pre></div> | <p dir="auto">AcceLogFilter message creation and last and current check was performing by each time simple date formate object creation. In this version of code I have use the ThreadLocal for each thread wise to create simple date format object instead of each call.</p>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have searched the <a href="https://github.com/apache/incubator-dubbo/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have checked the <a href="https://github.com/apache/incubator-dubbo/blob/master/FAQ.md">FAQ</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h3 dir="auto">Environment</h3>
<ul dir="auto">
<li>Dubbo version: 2.7.0</li>
<li>Operating System version: xxx</li>
<li>Java version: xxx</li>
</ul>
<h3 dir="auto">Steps to reproduce this issue</h3>
<ol dir="auto">
<li>xxx</li>
<li>xxx</li>
<li>xxx</li>
</ol>
<p dir="auto">Pls. provide [GitHub address] to reproduce this issue.</p>
<h3 dir="auto">Expected Result</h3>
<p dir="auto">What do you expected from the above steps?</p>
<h3 dir="auto">Actual Result</h3>
<p dir="auto">What actually happens?<br>
AcceLogFilter message creation and last and current check was performing by each time simple date formate object creation. In this version of code I have use the ThreadLocal for each thread wise to create simple date format object instead of each call.<br>
If there is an exception, please attach the exception trace:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Just put your stack trace here!"><pre class="notranslate"><code class="notranslate">Just put your stack trace here!
</code></pre></div> | 0 |
<p dir="auto">I started from <a href="https://github.com/zeit/next.js/tree/canary/examples/with-firebase-hosting">this</a> example. Changed nothing more than what is explained in there to get up and running.</p>
<p dir="auto">npm run dev works perfectly.<br>
npm run serve (firebase local) throws me the following:</p>
<p dir="auto">Error: > Couldn't find a <code class="notranslate">pages</code> directory. Please create one under the project root<br>
at Object.findPagesDir (/Users/julianbenegas/Documents/Work/mayeutica-platform-2.nosync/dist/functions/node_modules/next/dist/lib/find-pages-dir.js:3:170)<br>
at new Server (/Users/julianbenegas/Documents/Work/mayeutica-platform-2.nosync/dist/functions/node_modules/next/dist/<a class="issue-link js-issue-link notranslate" rel="noopener noreferrer nofollow" href="https://linear.app/vercel/issue/NEXT-server">next-server</a>/server/<a class="issue-link js-issue-link notranslate" rel="noopener noreferrer nofollow" href="https://linear.app/vercel/issue/NEXT-server">next-server</a>.js:40:42)<br>
at createServer (/Users/julianbenegas/Documents/Work/mayeutica-platform-2.nosync/dist/functions/node_modules/next/dist/server/next.js:2:133)<br>
at Object. (/Users/julianbenegas/Documents/Work/mayeutica-platform-2.nosync/dist/functions/index.js:10:11)<br>
at Module._compile (internal/modules/cjs/loader.js:778:30)<br>
at Object.Module._extensions..js (internal/modules/cjs/loader.js:789:10)<br>
at Module.load (internal/modules/cjs/loader.js:653:32)<br>
at tryModuleLoad (internal/modules/cjs/loader.js:593:12)<br>
at Function.Module._load (internal/modules/cjs/loader.js:585:3)<br>
at Module.require (internal/modules/cjs/loader.js:692:17)<br>
<g-emoji class="g-emoji" alias="warning" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/26a0.png">⚠</g-emoji> Your function was killed because it raised an unhandled error.</p>
<p dir="auto">Cheers!<br>
<a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/jthegedus/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/jthegedus">@jthegedus</a></p> | <ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/zeit/next.js/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h2 dir="auto">Expected Behavior</h2>
<p dir="auto">I expected the data fetching to happen server-side on first load and be cached</p>
<h2 dir="auto">Current Behavior</h2>
<p dir="auto">Data is fetched by the client (I see the network request) on first load</p>
<h2 dir="auto">Steps to Reproduce (for bugs)</h2>
<ol dir="auto">
<li>Decorate an inner component (in my case, the header) with "withRouter"</li>
<li>Use router.pathname.<br>
In my case <code class="notranslate">const activeItem = router.pathname</code> to set active item on menu</li>
<li>Now, using the lib of the with-apollo example (initApollo and withData) data is fetched client-side.</li>
</ol>
<p dir="auto">If I remove that line everything is ok and I don't see any client-side fetching.</p>
<p dir="auto">Thank you,<br>
Matteo</p> | 0 |
<blockquote>
<p dir="auto">Issue originally made by <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/Ginden/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/Ginden">@Ginden</a></p>
</blockquote>
<h3 dir="auto">Bug information</h3>
<ul dir="auto">
<li><strong>Babel version:</strong> 5 (REPL)</li>
<li><strong>Node version:</strong> REPL</li>
<li><strong>npm version:</strong> REPL</li>
</ul>
<h3 dir="auto">Input code</h3>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="(function(x, f = () => x) {
var x;
var y = x;
x = 2;
return [x, y, f()];
})(1)"><pre class="notranslate"><span class="pl-kos">(</span><span class="pl-k">function</span><span class="pl-kos">(</span><span class="pl-s1">x</span><span class="pl-kos">,</span> <span class="pl-s1">f</span> <span class="pl-c1">=</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-s1">x</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">var</span> <span class="pl-s1">x</span><span class="pl-kos">;</span>
<span class="pl-k">var</span> <span class="pl-s1">y</span> <span class="pl-c1">=</span> <span class="pl-s1">x</span><span class="pl-kos">;</span>
<span class="pl-s1">x</span> <span class="pl-c1">=</span> <span class="pl-c1">2</span><span class="pl-kos">;</span>
<span class="pl-k">return</span> <span class="pl-kos">[</span><span class="pl-s1">x</span><span class="pl-kos">,</span> <span class="pl-s1">y</span><span class="pl-kos">,</span> <span class="pl-s1">f</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">]</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">(</span><span class="pl-c1">1</span><span class="pl-kos">)</span></pre></div>
<h3 dir="auto">Description</h3>
<p dir="auto">Valid ES2015 behavior: <code class="notranslate">f= () => x</code> should return value of x, regardless of further <code class="notranslate">var x;</code> statement.</p> | <p dir="auto">The following snippet:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="(function(x, f = () => x) {
var x;
var y = x;
x = 2;
return [x, y, f()];
})(1)"><pre class="notranslate"><span class="pl-kos">(</span><span class="pl-k">function</span><span class="pl-kos">(</span><span class="pl-s1">x</span><span class="pl-kos">,</span> <span class="pl-s1">f</span> <span class="pl-c1">=</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-s1">x</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">var</span> <span class="pl-s1">x</span><span class="pl-kos">;</span>
<span class="pl-k">var</span> <span class="pl-s1">y</span> <span class="pl-c1">=</span> <span class="pl-s1">x</span><span class="pl-kos">;</span>
<span class="pl-s1">x</span> <span class="pl-c1">=</span> <span class="pl-c1">2</span><span class="pl-kos">;</span>
<span class="pl-k">return</span> <span class="pl-kos">[</span><span class="pl-s1">x</span><span class="pl-kos">,</span> <span class="pl-s1">y</span><span class="pl-kos">,</span> <span class="pl-s1">f</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">]</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">(</span><span class="pl-c1">1</span><span class="pl-kos">)</span></pre></div>
<p dir="auto">gives <code class="notranslate">[2, null, 1]</code> in Babel. Aside from <code class="notranslate">x</code> shadowing behavior (and what <code class="notranslate">f</code> should resolve to — 1 or 2 (which Babel and FF disagree on)), <code class="notranslate">y</code> definitely shouldn't be <code class="notranslate">null</code> here (as far as I can tell), so this looks like a bug?</p> | 1 |
<p dir="auto"><strong>I'm submitting a ...</strong> (check one with "x")</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[x] bug report => search github for a similar issue or PR before submitting"><pre class="notranslate"><code class="notranslate">[x] bug report => search github for a similar issue or PR before submitting
</code></pre></div>
<p dir="auto"><strong>Current behavior</strong><br>
When <code class="notranslate">CanDeactivate</code> cancels <code class="notranslate">Location.forward()</code> routing history is 1 item ahead.<br>
Workflow</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Home -- navigate to --> Child 1
Child 1 -- navigate to --> Child 2
Child 2 -- navigate to --> Child 3 (CanDeactivate returned true)
Child 3 -- location.back() --> Child 2
Child 2 -- location.forward() --> Child 2 (navigation canceled CanDeactivate returned false)
Child 2 -- location.back() --> Child 2 (should be Route 1)"><pre class="notranslate"><code class="notranslate">Home -- navigate to --> Child 1
Child 1 -- navigate to --> Child 2
Child 2 -- navigate to --> Child 3 (CanDeactivate returned true)
Child 3 -- location.back() --> Child 2
Child 2 -- location.forward() --> Child 2 (navigation canceled CanDeactivate returned false)
Child 2 -- location.back() --> Child 2 (should be Route 1)
</code></pre></div>
<p dir="auto"><strong>Expected behavior</strong></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Home -- navigate to --> Child 1
Child 1 -- navigate to --> Child 2
Child 2 -- navigate to --> Child 3 (CanDeactivate returned true)
Child 3 -- location.back() --> Child 2
Child 2 -- location.forward() --> Child 2 (navigation canceled CanDeactivate returned false)
Child 2 -- location.back() --> Child 1 (expected)"><pre class="notranslate"><code class="notranslate">Home -- navigate to --> Child 1
Child 1 -- navigate to --> Child 2
Child 2 -- navigate to --> Child 3 (CanDeactivate returned true)
Child 3 -- location.back() --> Child 2
Child 2 -- location.forward() --> Child 2 (navigation canceled CanDeactivate returned false)
Child 2 -- location.back() --> Child 1 (expected)
</code></pre></div>
<p dir="auto"><strong>Minimal reproduction of the problem with instructions</strong><br>
<a href="http://plnkr.co/edit/PbKRj7v1B1tRVXRSrEup?p=preview" rel="nofollow">http://plnkr.co/edit/PbKRj7v1B1tRVXRSrEup?p=preview</a></p>
<ol dir="auto">
<li>Click button Child1</li>
<li>Click button Child2</li>
<li>Click button Child3</li>
<li>Click button Back</li>
<li>Click button Forward</li>
<li>Click button Back</li>
</ol>
<p dir="auto">Expected behavior is to see <code class="notranslate">Child1</code> but it's still <code class="notranslate">Child2</code></p> | <p dir="auto"><strong>I'm submitting a ...</strong> (check one with "x")</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[X ] bug report => search github for a similar issue or PR before submitting
[ ] feature request
[ ] support request => Please do not submit support request here, instead see https://github.com/angular/angular/blob/master/CONTRIBUTING.md#question"><pre class="notranslate"><code class="notranslate">[X ] bug report => search github for a similar issue or PR before submitting
[ ] feature request
[ ] support request => Please do not submit support request here, instead see https://github.com/angular/angular/blob/master/CONTRIBUTING.md#question
</code></pre></div>
<p dir="auto"><strong>Current behavior</strong><br>
Currently, I have a deactivation guard on a route which will return false or true depending on a condition. To get to this guarded route, the user must pass though 3 navigation step. Now, once on the guarded route, when using <code class="notranslate">location.back()</code>, the guard is called. If it returns <code class="notranslate">true</code>, the previous route is loaded. If the guard returns false, the navigation is cancelled. But if we redo a Location.back() after a failed navigation, the previous route that will be loaded will be 2 steps in the history instead of 1 (user perception).</p>
<p dir="auto">Workflow</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Main -- navigate to --> Route 1
Route 1 -- navigate to --> Route 2
Route 2 -- navigate to --> Route 3
Route 3 -- location.back() --> guard returns true --> Route 2
Route 2 -- navigate to --> Route 3
Route 3 -- location.back() --> guard returns false --> Route 3
Route 3 -- location.back() --> guard returns true --> Route 1 (should be Route 2)"><pre class="notranslate"><code class="notranslate">Main -- navigate to --> Route 1
Route 1 -- navigate to --> Route 2
Route 2 -- navigate to --> Route 3
Route 3 -- location.back() --> guard returns true --> Route 2
Route 2 -- navigate to --> Route 3
Route 3 -- location.back() --> guard returns false --> Route 3
Route 3 -- location.back() --> guard returns true --> Route 1 (should be Route 2)
</code></pre></div>
<p dir="auto"><strong>Expected behavior</strong><br>
An expected behavior for a user would be that navigating back brings back to the previous routed page.<br>
Workflow</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Main -- navigate to --> Route 1
Route 1 -- navigate to --> Route 2
Route 2 -- navigate to --> Route 3
Route 3 -- location.back() --> guard returns true --> Route 2
Route 2 -- navigate to --> Route 3
Route 3 -- location.back() --> guard returns false --> Route 3
Route 3 -- location.back() --> guard returns true --> Route 2 (expected)"><pre class="notranslate"><code class="notranslate">Main -- navigate to --> Route 1
Route 1 -- navigate to --> Route 2
Route 2 -- navigate to --> Route 3
Route 3 -- location.back() --> guard returns true --> Route 2
Route 2 -- navigate to --> Route 3
Route 3 -- location.back() --> guard returns false --> Route 3
Route 3 -- location.back() --> guard returns true --> Route 2 (expected)
</code></pre></div>
<p dir="auto"><strong>Minimal reproduction of the problem with instructions</strong><br>
<a href="https://embed.plnkr.co/k1iX7PzmOre7P6ACtcur/" rel="nofollow">Plnkr</a></p>
<ol dir="auto">
<li>Click button Nav to route1</li>
<li>Click button Nav to route2</li>
<li>Click button Nav to route3</li>
<li>Click button Block Nav Back</li>
<li>Click button Nav back
<ul dir="auto">
<li>BOGUE: The location.back() routed on Route1 instead of Route2</li>
</ul>
</li>
</ol>
<p dir="auto"><strong>Personnal investigation</strong><br>
After some investigation, I saw that in <code class="notranslate">routerState$.then</code> (<a href="https://sourcegraph.com/github.com/angular/angular@b5c4bf1c59c56d48b8a536aa61c7bd72d94c99fc/-/blob/modules/@angular/router/src/router.ts#L756" rel="nofollow">router.ts line 752</a>) this logic used when <code class="notranslate">navigationIsSuccessful == false</code> is pretty simply but it is the actual cause of this bug. Basically, when a deactivation guard is hit, the location of the browser is already changed to the previous route. Which means that when the guard returns false, the <code class="notranslate">routerState$</code> runs his logic and calls <code class="notranslate">resetUrlToCurrentUrlTree()</code>. At this point we can see that we replace the state of the current location. But by doing this, we loose that route in the history which means that in my plunker, if we click the block nav back 3 times and then click the nav back we will actually kill the application.</p>
<p dir="auto"><strong>What is the motivation / use case for changing the behavior?</strong><br>
This is for me a pretty big bug since a guard that returns false breaks alters the current routing history. In the case of our application this breaks the workflow and brings wrong business scopes to a user.</p>
<p dir="auto"><strong>Please tell us about your environment:</strong></p>
<p dir="auto">Windows 10, NPM, Nodejs, Visual Studio 2015 (using nodejs for typescript compilation)</p>
<ul dir="auto">
<li>
<p dir="auto"><strong>Angular version:</strong> 2.3.3</p>
</li>
<li>
<p dir="auto"><strong>Browser:</strong> [ all ]</p>
</li>
<li>
<p dir="auto"><strong>Language:</strong> [TypeScript 2.0.10 | ES5]</p>
</li>
</ul> | 1 |
<h5 dir="auto">ISSUE TYPE</h5>
<ul dir="auto">
<li>Bug Report</li>
</ul>
<h5 dir="auto">COMPONENT NAME</h5>
<p dir="auto">pause</p>
<h5 dir="auto">ANSIBLE VERSION</h5>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="ansible 2.5.0 (devel ca115b0a8e) last updated 2017/10/25 09:12:08 (GMT -400)
config file = /home/rteague/git/clusters/aws-c1/ansible.cfg
configured module search path = [u'/home/rteague/.ansible/plugins/modules', u'/usr/share/ansible/plugins/modules']
ansible python module location = /home/rteague/git/clusters/aws-c2/ansible/lib/ansible
executable location = /home/rteague/git/clusters/aws-c2/ansible/bin/ansible
python version = 2.7.13 (default, Sep 5 2017, 08:53:59) [GCC 7.1.1 20170622 (Red Hat 7.1.1-3)]
"><pre class="notranslate"><code class="notranslate">ansible 2.5.0 (devel ca115b0a8e) last updated 2017/10/25 09:12:08 (GMT -400)
config file = /home/rteague/git/clusters/aws-c1/ansible.cfg
configured module search path = [u'/home/rteague/.ansible/plugins/modules', u'/usr/share/ansible/plugins/modules']
ansible python module location = /home/rteague/git/clusters/aws-c2/ansible/lib/ansible
executable location = /home/rteague/git/clusters/aws-c2/ansible/bin/ansible
python version = 2.7.13 (default, Sep 5 2017, 08:53:59) [GCC 7.1.1 20170622 (Red Hat 7.1.1-3)]
</code></pre></div>
<h5 dir="auto">CONFIGURATION</h5>
<p dir="auto">N/A</p>
<h5 dir="auto">OS / ENVIRONMENT</h5>
<p dir="auto">N/A</p>
<h5 dir="auto">SUMMARY</h5>
<p dir="auto">When using the <code class="notranslate">pause</code> module, the execution of the playbook will hang if running the playbook as a background process.</p>
<h5 dir="auto">STEPS TO REPRODUCE</h5>
<div class="highlight highlight-source-yaml notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="# test.yml
---
- name: Test Playbook
hosts: localhost
connection: local
gather_facts: false
tasks:
- pause:
seconds: 2"><pre class="notranslate"><span class="pl-c"><span class="pl-c">#</span> test.yml</span>
---
- <span class="pl-ent">name</span>: <span class="pl-s">Test Playbook</span>
<span class="pl-ent">hosts</span>: <span class="pl-s">localhost</span>
<span class="pl-ent">connection</span>: <span class="pl-s">local</span>
<span class="pl-ent">gather_facts</span>: <span class="pl-c1">false</span>
<span class="pl-ent">tasks</span>:
- <span class="pl-ent">pause</span>:
<span class="pl-ent">seconds</span>: <span class="pl-c1">2</span></pre></div>
<h5 dir="auto">EXPECTED RESULTS</h5>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ ansible-playbook -i localhost, test.yml > ansible-test.log &
[1] 31739
[1] + 31739 done ansible-playbook -i localhost, test.yml > ansible-test.log"><pre class="notranslate"><code class="notranslate">$ ansible-playbook -i localhost, test.yml > ansible-test.log &
[1] 31739
[1] + 31739 done ansible-playbook -i localhost, test.yml > ansible-test.log
</code></pre></div>
<h5 dir="auto">ACTUAL RESULTS</h5>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ ansible-playbook -i localhost, test.yml > ansible-test.log &
[1] 19407
[1] + 19407 suspended (tty output) ansible-playbook -i localhost, test.yml > ansible-test.log
$ tail ansible-test.log
PLAY [Test Playbook] ***************************************************************************************************************
TASK [pause] ***********************************************************************************************************************
Wednesday 25 October 2017 09:06:09 -0400 (0:00:00.062) 0:00:00.062 *****
Pausing for 2 seconds
(ctrl+C then 'C' = continue early, ctrl+C then 'A' = abort)
$ jobs
[1] + suspended (tty output) ansible-playbook -i localhost, test.yml > ansible-test.log
$ fg
[1] + 19407 continued ansible-playbook -i localhost, test.yml > ansible-test.log
$ tail ansible-test.log
(ctrl+C then 'C' = continue early, ctrl+C then 'A' = abort)
ok: [localhost]
PLAY RECAP *************************************************************************************************************************
localhost : ok=1 changed=0 unreachable=0 failed=0
Wednesday 25 October 2017 09:08:11 -0400 (0:02:01.558) 0:02:01.620 *****
===============================================================================
pause --------------------------------------------------------------------------------------------------------------------- 121.56s
Playbook run took 0 days, 0 hours, 2 minutes, 1 seconds
"><pre class="notranslate"><code class="notranslate">$ ansible-playbook -i localhost, test.yml > ansible-test.log &
[1] 19407
[1] + 19407 suspended (tty output) ansible-playbook -i localhost, test.yml > ansible-test.log
$ tail ansible-test.log
PLAY [Test Playbook] ***************************************************************************************************************
TASK [pause] ***********************************************************************************************************************
Wednesday 25 October 2017 09:06:09 -0400 (0:00:00.062) 0:00:00.062 *****
Pausing for 2 seconds
(ctrl+C then 'C' = continue early, ctrl+C then 'A' = abort)
$ jobs
[1] + suspended (tty output) ansible-playbook -i localhost, test.yml > ansible-test.log
$ fg
[1] + 19407 continued ansible-playbook -i localhost, test.yml > ansible-test.log
$ tail ansible-test.log
(ctrl+C then 'C' = continue early, ctrl+C then 'A' = abort)
ok: [localhost]
PLAY RECAP *************************************************************************************************************************
localhost : ok=1 changed=0 unreachable=0 failed=0
Wednesday 25 October 2017 09:08:11 -0400 (0:02:01.558) 0:02:01.620 *****
===============================================================================
pause --------------------------------------------------------------------------------------------------------------------- 121.56s
Playbook run took 0 days, 0 hours, 2 minutes, 1 seconds
</code></pre></div> | <h5 dir="auto">ISSUE TYPE</h5>
<ul dir="auto">
<li>Bug Report</li>
</ul>
<h5 dir="auto">COMPONENT NAME</h5>
<p dir="auto">copy module</p>
<h5 dir="auto">ANSIBLE VERSION</h5>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="ansible 2.4.2.0
config file = /opt/ansible/local/ansible.cfg
configured module search path = [u'/root/.ansible/plugins/modules', u'/usr/share/ansible/plugins/modules']
ansible python module location = /usr/lib/python2.7/site-packages/ansible
executable location = /bin/ansible
python version = 2.7.5 (default, Aug 4 2017, 00:39:18) [GCC 4.8.5 20150623 (Red Hat 4.8.5-16)]"><pre class="notranslate"><code class="notranslate">ansible 2.4.2.0
config file = /opt/ansible/local/ansible.cfg
configured module search path = [u'/root/.ansible/plugins/modules', u'/usr/share/ansible/plugins/modules']
ansible python module location = /usr/lib/python2.7/site-packages/ansible
executable location = /bin/ansible
python version = 2.7.5 (default, Aug 4 2017, 00:39:18) [GCC 4.8.5 20150623 (Red Hat 4.8.5-16)]
</code></pre></div>
<h5 dir="auto">CONFIGURATION</h5>
<h5 dir="auto">OS / ENVIRONMENT</h5>
<p dir="auto">CentOS Linux release 7.4.1708 (Core)</p>
<h5 dir="auto">SUMMARY</h5>
<p dir="auto">A copy task using <code class="notranslate">with_items</code> to copy both files and directories (recursively) to a given dest is causing the directory to be nested "within itself" somehow.</p>
<h5 dir="auto">STEPS TO REPRODUCE</h5>
<div class="highlight highlight-source-yaml notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="- name: copy a file and directory (with contents)
copy:
src: "{{ item }}"
dest: "/tmp/{{ item }}"
with_items:
- testfile
- testdir"><pre class="notranslate">- <span class="pl-ent">name</span>: <span class="pl-s">copy a file and directory (with contents)</span>
<span class="pl-ent">copy</span>:
<span class="pl-ent">src</span>: <span class="pl-s"><span class="pl-pds">"</span>{{ item }}<span class="pl-pds">"</span></span>
<span class="pl-ent">dest</span>: <span class="pl-s"><span class="pl-pds">"</span>/tmp/{{ item }}<span class="pl-pds">"</span></span>
<span class="pl-ent">with_items</span>:
- <span class="pl-s">testfile</span>
- <span class="pl-s">testdir</span></pre></div>
<h5 dir="auto">EXPECTED RESULTS</h5>
<p dir="auto">Both <code class="notranslate">testfile</code> and <code class="notranslate">testdir</code> should be copied to the dest path. Contents of the directory should be copied recursively.</p>
<h5 dir="auto">ACTUAL RESULTS</h5>
<p dir="auto"><code class="notranslate">testfile</code> gets copied OK. <code class="notranslate">testdir</code> gets copied to the destination as <code class="notranslate">testdir/testdir</code>.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="# tree /tmp
/tmp
├── testdir
│ └── testdir
│ └── testfile2
└── testfile"><pre class="notranslate"><code class="notranslate"># tree /tmp
/tmp
├── testdir
│ └── testdir
│ └── testfile2
└── testfile
</code></pre></div>
<p dir="auto">Output of verbose log of the directory copy:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="changed: [XXX] => (item=testdir) => {
"changed": true,
"checksum": "6d5bed3c88d0350e17b0049cc4e6d54445572e8c",
"dest": "/tmp/testdir/testdir/testfile2",
"diff": [],
"gid": 0,
"group": "root",
"invocation": {
"module_args": {
"attributes": null,
"backup": false,
"content": null,
"delimiter": null,
"dest": "/tmp/testdir/testdir/testfile2",
"directory_mode": null,
"follow": false,
"force": true,
"group": null,
"local_follow": null,
"mode": null,
"original_basename": "testdir/testfile2",
"owner": null,
"regexp": null,
"remote_src": null,
"selevel": null,
"serole": null,
"setype": null,
"seuser": null,
"src": "/root/.ansible/tmp/ansible-tmp-1519257514.0-81246969639144/source",
"unsafe_writes": null,
"validate": null
}
},
"item": "testdir",
"md5sum": "f38f27da8d7262b45996a2d5193f1e25",
"mode": "0644",
"owner": "root",
"secontext": "unconfined_u:object_r:admin_home_t:s0",
"size": 910,
"src": "/root/.ansible/tmp/ansible-tmp-1519257514.0-81246969639144/source",
"state": "file",
"uid": 0
}"><pre class="notranslate"><code class="notranslate">changed: [XXX] => (item=testdir) => {
"changed": true,
"checksum": "6d5bed3c88d0350e17b0049cc4e6d54445572e8c",
"dest": "/tmp/testdir/testdir/testfile2",
"diff": [],
"gid": 0,
"group": "root",
"invocation": {
"module_args": {
"attributes": null,
"backup": false,
"content": null,
"delimiter": null,
"dest": "/tmp/testdir/testdir/testfile2",
"directory_mode": null,
"follow": false,
"force": true,
"group": null,
"local_follow": null,
"mode": null,
"original_basename": "testdir/testfile2",
"owner": null,
"regexp": null,
"remote_src": null,
"selevel": null,
"serole": null,
"setype": null,
"seuser": null,
"src": "/root/.ansible/tmp/ansible-tmp-1519257514.0-81246969639144/source",
"unsafe_writes": null,
"validate": null
}
},
"item": "testdir",
"md5sum": "f38f27da8d7262b45996a2d5193f1e25",
"mode": "0644",
"owner": "root",
"secontext": "unconfined_u:object_r:admin_home_t:s0",
"size": 910,
"src": "/root/.ansible/tmp/ansible-tmp-1519257514.0-81246969639144/source",
"state": "file",
"uid": 0
}
</code></pre></div>
<p dir="auto">In the above output, <code class="notranslate">original_basename</code> looks correct; however, <code class="notranslate">dest</code> seems malformed.</p> | 0 |
<p dir="auto">It would be great if there was a tool which could pull out and report on the elements of the virtual dom which match a given key. That would really help in tracking down the causes of error messages like "Invariant Violation: flattenChildren(...): Encountered two children with the same key, <code class="notranslate">.NotTheActual/Key String</code>. Children keys must be unique."</p> | <p dir="auto">I'd like to have a function that would reset all the state of react to start rendering from scratch again.</p>
<p dir="auto">Currently, the code below causes a duplication of virtual dom. The React tab in devtools shows <code class="notranslate"><App /></code> node twice.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="document.body.innerHTML = '<div id="app"></div>';
ReactDOM.render(<App />, document.querySelector("#app"));
// page change
document.body.innerHTML = '<div id="app"></div>';
ReactDOM.render(<App />, document.querySelector("#app"));"><pre class="notranslate"><code class="notranslate">document.body.innerHTML = '<div id="app"></div>';
ReactDOM.render(<App />, document.querySelector("#app"));
// page change
document.body.innerHTML = '<div id="app"></div>';
ReactDOM.render(<App />, document.querySelector("#app"));
</code></pre></div>
<p dir="auto">It is possible to unmount it before the container element is lost to prevent the duplication of vdom.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="document.body.innerHTML = '<div id="app"></div>';
ReactDOM.render(<App />, document.querySelector("#app"));
ReactDOM.unmountComponentAtNode(document.querySelector("#app")); // <--- unmount and remove
// page change
document.body.innerHTML = '<div id="app"></div>';
ReactDOM.render(<App />, document.querySelector("#app"));"><pre class="notranslate"><code class="notranslate">document.body.innerHTML = '<div id="app"></div>';
ReactDOM.render(<App />, document.querySelector("#app"));
ReactDOM.unmountComponentAtNode(document.querySelector("#app")); // <--- unmount and remove
// page change
document.body.innerHTML = '<div id="app"></div>';
ReactDOM.render(<App />, document.querySelector("#app"));
</code></pre></div>
<p dir="auto">However, sometimes it is difficult to bind to an event or change a router code in a legacy app where React is used for rendering a page. The page is destroyed when the router decides to change the page to another and React don't get the same container element again.</p>
<p dir="auto">Since you can't call <code class="notranslate">ReactDOM.unmountComponentAtNode</code> before the change, nor after the change (before rendering) with the lost container element, it would be useful to have a function to reset all the React state before rendering the new page.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="document.body.innerHTML = '<div id="app"></div>';
ReactDOM.render(<App />, document.querySelector("#app"));
// page change
document.body.innerHTML = '<div id="app"></div>';
ReactDOM.reset(); // <--- I don't care about the previous state, I want to render the component from scratch (as there would be no rendering before)
ReactDOM.render(<App />, document.querySelector("#app"));"><pre class="notranslate"><code class="notranslate">document.body.innerHTML = '<div id="app"></div>';
ReactDOM.render(<App />, document.querySelector("#app"));
// page change
document.body.innerHTML = '<div id="app"></div>';
ReactDOM.reset(); // <--- I don't care about the previous state, I want to render the component from scratch (as there would be no rendering before)
ReactDOM.render(<App />, document.querySelector("#app"));
</code></pre></div>
<p dir="auto">The name doesn't have to be called <code class="notranslate">reset</code> or be within <code class="notranslate">ReactDOM</code>. The point here is that the rendering should not duplicate virtual dom since the container element was changed.</p> | 0 |
<p dir="auto">I'm am using <code class="notranslate">styled-components</code> in <strong>Next.js</strong>. When I deploy the app, the first time the UI is rendered, it is unstyled. Only after a refresh does the SSR styles come through and persist.</p>
<p dir="auto"><strong>Implementation based on:</strong><br>
<a href="https://github.com/zeit/next.js/tree/canary/examples/with-styled-components">https://github.com/zeit/next.js/tree/canary/examples/with-styled-components</a></p>
<p dir="auto"><em>Anyone have ideas?</em> I'm stumped atm :(<br>
<a href="https://github.com/stephencorwin/nextjs-hello-world/tree/styled-components-ssr-error">https://github.com/stephencorwin/nextjs-hello-world/tree/styled-components-ssr-error</a></p>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/zeit/next.js/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h2 dir="auto">Expected Behavior</h2>
<p dir="auto">When I deploy the app, any SSR styles should be rendered the first refresh.</p>
<h2 dir="auto">Current Behavior</h2>
<p dir="auto">When I deploy the app, the first time the UI is rendered, it is unstyled. Only after a refresh does the SSR styles come through and persist.</p>
<p dir="auto"><strong>First Render:</strong><br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/3931162/36180289-bc0e0e12-10ed-11e8-91be-9d0b7dfbc217.PNG"><img src="https://user-images.githubusercontent.com/3931162/36180289-bc0e0e12-10ed-11e8-91be-9d0b7dfbc217.PNG" alt="render-error" style="max-width: 100%;"></a></p>
<p dir="auto"><strong>Second Render:</strong><br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/3931162/36180308-d0ab5ad2-10ed-11e8-997a-a7b8f46c82af.PNG"><img src="https://user-images.githubusercontent.com/3931162/36180308-d0ab5ad2-10ed-11e8-997a-a7b8f46c82af.PNG" alt="render-success" style="max-width: 100%;"></a></p>
<h2 dir="auto">Steps to Reproduce (for bugs)</h2>
<ol dir="auto">
<li><a href="https://deploy.now.sh/?repo=https://github.com/stephencorwin/nextjs-hello-world/tree/styled-components-ssr-error" rel="nofollow"><img src="https://camo.githubusercontent.com/73be09dddcc07644377c330a0727c02d96c8be6b9b2599949b932d1c7c241509/68747470733a2f2f6465706c6f792e6e6f772e73682f7374617469632f627574746f6e2e737667" alt="Deploy to now" data-canonical-src="https://deploy.now.sh/static/button.svg" style="max-width: 100%;"></a></li>
<li>Wait 2 mins for it to finish. Don't view the interstitial website with the progress status first.</li>
<li>Go to the website generated by Now <em>-- fantastic feature btw!!!</em></li>
<li>My <code class="notranslate"><Header /></code>, <code class="notranslate"><Footer /></code>, and <code class="notranslate">globalStyles()</code> in the <code class="notranslate">_document.js</code> are not coming through.</li>
<li>Refresh the page and you will notice the styling has been fixed.</li>
</ol>
<h2 dir="auto">Context</h2>
<p dir="auto">When I deploy the app, I should NOT have to visit the website once to ensure that the SSR styles are generated.</p>
<h2 dir="auto">Your Environment</h2>
<table role="table">
<thead>
<tr>
<th>Tech</th>
<th>Version</th>
</tr>
</thead>
<tbody>
<tr>
<td>node</td>
<td>8.7.0</td>
</tr>
<tr>
<td>next</td>
<td>4.2.3</td>
</tr>
<tr>
<td>styled-components</td>
<td>3.1.6</td>
</tr>
<tr>
<td>babel-plugin-styled-components</td>
<td>1.5.0</td>
</tr>
<tr>
<td>OS</td>
<td>Windows 10</td>
</tr>
</tbody>
</table> | <p dir="auto">I changed the Next.js config to handle the structure like I wanted but, the generated css file won't load the same way.</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="const app = next({ dir: './src/', dev })"><pre class="notranslate"><span class="pl-k">const</span> <span class="pl-s1">app</span> <span class="pl-c1">=</span> <span class="pl-en">next</span><span class="pl-kos">(</span><span class="pl-kos">{</span> <span class="pl-c1">dir</span>: <span class="pl-s">'./src/'</span><span class="pl-kos">,</span> dev <span class="pl-kos">}</span><span class="pl-kos">)</span></pre></div>
<p dir="auto">I load my css file like this</p>
<div class="highlight highlight-text-html-basic notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="<link rel="stylesheet" href="/_next/static/style.css" />"><pre class="notranslate"><span class="pl-kos"><</span><span class="pl-ent">link</span> <span class="pl-c1">rel</span>="<span class="pl-s">stylesheet</span>" <span class="pl-c1">href</span>="<span class="pl-s">/_next/static/style.css</span>" /></pre></div>
<p dir="auto">When I put everything outside the src folder, like suggered, it works.</p>
<ul dir="auto">
<li>[x ] I have searched the <a href="https://github.com/zeit/next.js/issues?q=is%3Aissue">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h2 dir="auto">Expected Behavior</h2>
<p dir="auto">My CSS file must load the same way if I specify a dir path or not.</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="const app = next({ dir: './src/', dev })"><pre class="notranslate"><span class="pl-k">const</span> <span class="pl-s1">app</span> <span class="pl-c1">=</span> <span class="pl-en">next</span><span class="pl-kos">(</span><span class="pl-kos">{</span> <span class="pl-c1">dir</span>: <span class="pl-s">'./src/'</span><span class="pl-kos">,</span> dev <span class="pl-kos">}</span><span class="pl-kos">)</span></pre></div>
<h2 dir="auto">Current Behavior</h2>
<p dir="auto">When I specify a dir path, Next won't load my CSS file compiled with @zeit/next-sass</p>
<h2 dir="auto">Steps to Reproduce (for bugs)</h2>
<ol dir="auto">
<li>Change de dir option of Next.js server side</li>
<li>Use @zeit/next-sass and import a css file into a page</li>
<li>Add the file to an Head</li>
<li>The file won't load</li>
</ol>
<h2 dir="auto">Context</h2>
<p dir="auto">I'm trying to have a cleaner structure. I'm not a fan of all the things at the root level.</p>
<h2 dir="auto">Your Environment</h2>
<table role="table">
<thead>
<tr>
<th>Tech</th>
<th>Version</th>
</tr>
</thead>
<tbody>
<tr>
<td>next</td>
<td>5</td>
</tr>
<tr>
<td>node</td>
<td>8.10</td>
</tr>
<tr>
<td>OS</td>
<td>OSX El Capitain V10.11.6</td>
</tr>
<tr>
<td>browser</td>
<td>Chrome 64.0.3282.186</td>
</tr>
</tbody>
</table> | 0 |
<p dir="auto">In vertically oriented catplot, y axis is always reverted in the rightmost panel.</p>
<p dir="auto">seaborn 0.10.1<br>
Python 3.7.3<br>
Windows</p>
<p dir="auto">I created a <code class="notranslate">DataFrame</code> as below:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import pandas as pd
concatdf = pd.DataFrame([])
l = list(range(30))
df = pd.DataFrame(l, columns=["value 1"])
df["value 2"] = df["value 1"]
df["category"] = "a"
concatdf = concatdf.append(df)
df = pd.DataFrame(l, columns=["value 1"])
df["value 2"] = df["value 1"]*2
df["category"] = "b"
concatdf = concatdf.append(df)
df = pd.DataFrame(l, columns=["value 1"])
df["value 2"] = df["value 1"]*3
df["category"] = "c"
concatdf = concatdf.append(df)"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">pandas</span> <span class="pl-k">as</span> <span class="pl-s1">pd</span>
<span class="pl-s1">concatdf</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">DataFrame</span>([])
<span class="pl-s1">l</span> <span class="pl-c1">=</span> <span class="pl-en">list</span>(<span class="pl-en">range</span>(<span class="pl-c1">30</span>))
<span class="pl-s1">df</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">DataFrame</span>(<span class="pl-s1">l</span>, <span class="pl-s1">columns</span><span class="pl-c1">=</span>[<span class="pl-s">"value 1"</span>])
<span class="pl-s1">df</span>[<span class="pl-s">"value 2"</span>] <span class="pl-c1">=</span> <span class="pl-s1">df</span>[<span class="pl-s">"value 1"</span>]
<span class="pl-s1">df</span>[<span class="pl-s">"category"</span>] <span class="pl-c1">=</span> <span class="pl-s">"a"</span>
<span class="pl-s1">concatdf</span> <span class="pl-c1">=</span> <span class="pl-s1">concatdf</span>.<span class="pl-en">append</span>(<span class="pl-s1">df</span>)
<span class="pl-s1">df</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">DataFrame</span>(<span class="pl-s1">l</span>, <span class="pl-s1">columns</span><span class="pl-c1">=</span>[<span class="pl-s">"value 1"</span>])
<span class="pl-s1">df</span>[<span class="pl-s">"value 2"</span>] <span class="pl-c1">=</span> <span class="pl-s1">df</span>[<span class="pl-s">"value 1"</span>]<span class="pl-c1">*</span><span class="pl-c1">2</span>
<span class="pl-s1">df</span>[<span class="pl-s">"category"</span>] <span class="pl-c1">=</span> <span class="pl-s">"b"</span>
<span class="pl-s1">concatdf</span> <span class="pl-c1">=</span> <span class="pl-s1">concatdf</span>.<span class="pl-en">append</span>(<span class="pl-s1">df</span>)
<span class="pl-s1">df</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">DataFrame</span>(<span class="pl-s1">l</span>, <span class="pl-s1">columns</span><span class="pl-c1">=</span>[<span class="pl-s">"value 1"</span>])
<span class="pl-s1">df</span>[<span class="pl-s">"value 2"</span>] <span class="pl-c1">=</span> <span class="pl-s1">df</span>[<span class="pl-s">"value 1"</span>]<span class="pl-c1">*</span><span class="pl-c1">3</span>
<span class="pl-s1">df</span>[<span class="pl-s">"category"</span>] <span class="pl-c1">=</span> <span class="pl-s">"c"</span>
<span class="pl-s1">concatdf</span> <span class="pl-c1">=</span> <span class="pl-s1">concatdf</span>.<span class="pl-en">append</span>(<span class="pl-s1">df</span>)</pre></div>
<p dir="auto">this <code class="notranslate">concatdf</code> gives this:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import seaborn as sns
g = sns.catplot(x="value 1", y="value 2", hue="category", data=concatdf)"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">seaborn</span> <span class="pl-k">as</span> <span class="pl-s1">sns</span>
<span class="pl-s1">g</span> <span class="pl-c1">=</span> <span class="pl-s1">sns</span>.<span class="pl-en">catplot</span>(<span class="pl-s1">x</span><span class="pl-c1">=</span><span class="pl-s">"value 1"</span>, <span class="pl-s1">y</span><span class="pl-c1">=</span><span class="pl-s">"value 2"</span>, <span class="pl-s1">hue</span><span class="pl-c1">=</span><span class="pl-s">"category"</span>, <span class="pl-s1">data</span><span class="pl-c1">=</span><span class="pl-s1">concatdf</span>)</pre></div>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/16083688/83445376-2fd2c280-a44d-11ea-9677-24b67d05c726.png"><img src="https://user-images.githubusercontent.com/16083688/83445376-2fd2c280-a44d-11ea-9677-24b67d05c726.png" alt="sandbox1" style="max-width: 100%;"></a></p>
<p dir="auto">Plotting with <code class="notranslate">columns="category"</code> with <code class="notranslate">orient="v"</code> is fine.</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="g = sns.catplot(x="value 1", y="value 2", hue="category", data=concatdf,
row="category",
sharex=True,
sharey=False,
orient="v",
aspect=3, height=1.7)"><pre class="notranslate"><span class="pl-s1">g</span> <span class="pl-c1">=</span> <span class="pl-s1">sns</span>.<span class="pl-en">catplot</span>(<span class="pl-s1">x</span><span class="pl-c1">=</span><span class="pl-s">"value 1"</span>, <span class="pl-s1">y</span><span class="pl-c1">=</span><span class="pl-s">"value 2"</span>, <span class="pl-s1">hue</span><span class="pl-c1">=</span><span class="pl-s">"category"</span>, <span class="pl-s1">data</span><span class="pl-c1">=</span><span class="pl-s1">concatdf</span>,
<span class="pl-s1">row</span><span class="pl-c1">=</span><span class="pl-s">"category"</span>,
<span class="pl-s1">sharex</span><span class="pl-c1">=</span><span class="pl-c1">True</span>,
<span class="pl-s1">sharey</span><span class="pl-c1">=</span><span class="pl-c1">False</span>,
<span class="pl-s1">orient</span><span class="pl-c1">=</span><span class="pl-s">"v"</span>,
<span class="pl-s1">aspect</span><span class="pl-c1">=</span><span class="pl-c1">3</span>, <span class="pl-s1">height</span><span class="pl-c1">=</span><span class="pl-c1">1.7</span>)</pre></div>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/16083688/83445425-424cfc00-a44d-11ea-8c60-26ae81cffd95.png"><img src="https://user-images.githubusercontent.com/16083688/83445425-424cfc00-a44d-11ea-8c60-26ae81cffd95.png" alt="sandbox3" style="max-width: 100%;"></a></p>
<p dir="auto">When I switch <code class="notranslate">x</code> and <code class="notranslate">y</code>, <code class="notranslate">sharex</code> and <code class="notranslate">sharey</code>, <code class="notranslate">orient</code>, in the rightmost panel, y axis (value 1) is totally reverted:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="g = sns.catplot(x="value 2", y="value 1", hue="category", data=concatdf,
col="category",
sharex=False,
sharey=True,
orient="h",
aspect=0.3)"><pre class="notranslate"><span class="pl-s1">g</span> <span class="pl-c1">=</span> <span class="pl-s1">sns</span>.<span class="pl-en">catplot</span>(<span class="pl-s1">x</span><span class="pl-c1">=</span><span class="pl-s">"value 2"</span>, <span class="pl-s1">y</span><span class="pl-c1">=</span><span class="pl-s">"value 1"</span>, <span class="pl-s1">hue</span><span class="pl-c1">=</span><span class="pl-s">"category"</span>, <span class="pl-s1">data</span><span class="pl-c1">=</span><span class="pl-s1">concatdf</span>,
<span class="pl-s1">col</span><span class="pl-c1">=</span><span class="pl-s">"category"</span>,
<span class="pl-s1">sharex</span><span class="pl-c1">=</span><span class="pl-c1">False</span>,
<span class="pl-s1">sharey</span><span class="pl-c1">=</span><span class="pl-c1">True</span>,
<span class="pl-s1">orient</span><span class="pl-c1">=</span><span class="pl-s">"h"</span>,
<span class="pl-s1">aspect</span><span class="pl-c1">=</span><span class="pl-c1">0.3</span>)</pre></div>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/16083688/83445399-38c39400-a44d-11ea-89ea-1c4e5d7d5ad2.png"><img src="https://user-images.githubusercontent.com/16083688/83445399-38c39400-a44d-11ea-89ea-1c4e5d7d5ad2.png" alt="sandbox2" style="max-width: 100%;"></a></p> | <p dir="auto">Hi everyone, I'm attempting to plot up data like this into a faceted violin plot with split violins:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="# Set up faceted data for plotting using catplot
sample_data = pd.DataFrame({'row': np.random.choice(['a', 'b'], 1000),
'col': np.random.choice(['c', 'd'], 1000),
'hue': np.random.choice(['g', 'h'], 1000),
'a': np.random.choice(['e', 'f'], 1000),
'b': np.random.randn(1000)})"><pre class="notranslate"><code class="notranslate"># Set up faceted data for plotting using catplot
sample_data = pd.DataFrame({'row': np.random.choice(['a', 'b'], 1000),
'col': np.random.choice(['c', 'd'], 1000),
'hue': np.random.choice(['g', 'h'], 1000),
'a': np.random.choice(['e', 'f'], 1000),
'b': np.random.randn(1000)})
</code></pre></div>
<p dir="auto">This works fine when I plot a standard vertical faceted plot: all the blue hued violins are on the left, and all the orange violins are on the right:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="# Plot horizontal catplot
sns.catplot(x='a',
y='b',
col='col',
row='row',
hue='hue',
data=sample_data,
kind='violin',
split=True,
inner=None,
height=2,
aspect=1.5)"><pre class="notranslate"><code class="notranslate"># Plot horizontal catplot
sns.catplot(x='a',
y='b',
col='col',
row='row',
hue='hue',
data=sample_data,
kind='violin',
split=True,
inner=None,
height=2,
aspect=1.5)
</code></pre></div>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/17680388/60630395-44719980-9e3d-11e9-952c-67329b759b43.JPG"><img src="https://user-images.githubusercontent.com/17680388/60630395-44719980-9e3d-11e9-952c-67329b759b43.JPG" alt="Capture" style="max-width: 100%;"></a></p>
<p dir="auto">However, when I attempt to plot a horizontal violin plot using the <code class="notranslate">orient='h'</code> parameter, the last facet in the plot will always plot "upside-down" compared to the other facets (e.g. orange on top in the first three facets, blue on top in the last facet):</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="# Plot horizontal catplot
sns.catplot(x='b',
y='a',
col='col',
row='row',
hue='hue',
data=sample_data,
orient='h',
kind='violin',
split=True,
inner=None,
height=2,
aspect=1.5)"><pre class="notranslate"><code class="notranslate"># Plot horizontal catplot
sns.catplot(x='b',
y='a',
col='col',
row='row',
hue='hue',
data=sample_data,
orient='h',
kind='violin',
split=True,
inner=None,
height=2,
aspect=1.5)
</code></pre></div>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/17680388/60630420-5a7f5a00-9e3d-11e9-84b6-2c69e44a86de.JPG"><img src="https://user-images.githubusercontent.com/17680388/60630420-5a7f5a00-9e3d-11e9-84b6-2c69e44a86de.JPG" alt="Capture2" style="max-width: 100%;"></a></p>
<p dir="auto">I've tried using <code class="notranslate">hue_order=['h', 'g']</code> to force the order, but it appears to have no effect on the final facet. What can I do to get all facets to plot in the same order?</p> | 1 |
<p dir="auto"><a href="https://github.com/mapbox/earcut">https://github.com/mapbox/earcut</a></p>
<p dir="auto"><a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/jahting/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/jahting">@jahting</a> did you had a look at it?</p> | <p dir="auto">now three.js support webgl2, so hava any plane to implementation the interface of the webgl2 in task?</p> | 0 |
<p dir="auto">Challenge <a href="https://www.freecodecamp.com/challenges/set-the-font-family-of-an-element#?solution=%0A%3Cstyle%3E%0A%20%20.red-text%20%7B%0A%20%20%20%20color%3A%20red%3B%0A%20%20%7D%0A%0A%20%20p%20%7B%0A%20%20%20%20font-size%3A%2016px%3B%0A%20%C2%A0%20%20font-family%3AMonospace%3B%0A%20%20%7D%0A%3C%2Fstyle%3E%0A%0A%3Ch2%20class%3D%22red-text%22%3ECatPhotoApp%3C%2Fh2%3E%0A%0A%3Cp%20class%3D%22red-text%22%3EKitty%20ipsum%20dolor%20sit%20amet%2C%20shed%20everywhere%20shed%20everywhere%20stretching%20attack%20your%20ankles%20chase%20the%20red%20dot%2C%20hairball%20run%20catnip%20eat%20the%20grass%20sniff.%3C%2Fp%3E%0A%3Cp%3EPurr%20jump%20eat%20the%20grass%20rip%20the%20couch%20scratched%20sunbathe%2C%20shed%20everywhere%20rip%20the%20couch%20sleep%20in%20the%20sink%20fluffy%20fur%20catnip%20scratched.%3C%2Fp%3E%0A" rel="nofollow">Set the Font Family of an Element</a> has an issue.<br>
User Agent is: <code class="notranslate">Mozilla/5.0 (Linux; Android 5.0.2; SM-T350 Build/LRX22G) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/52.0.2743.98 Safari/537.36</code>.<br>
Please describe how to reproduce this issue, and include links to screenshots if possible.</p>
<p dir="auto">My code:</p>
<div class="highlight highlight-text-html-basic notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="
<style>
.red-text {
color: red;
}
p {
font-size: 16px;
font-family:Monospace;
}
</style>
<h2 class="red-text">CatPhotoApp</h2>
<p class="red-text">Kitty ipsum dolor sit amet, shed everywhere shed everywhere stretching attack your ankles chase the red dot, hairball run catnip eat the grass sniff.</p>
<p>Purr jump eat the grass rip the couch scratched sunbathe, shed everywhere rip the couch sleep in the sink fluffy fur catnip scratched.</p>
"><pre class="notranslate"><span class="pl-kos"><</span><span class="pl-ent">style</span><span class="pl-kos">></span>
.<span class="pl-c1">red-text</span> {
<span class="pl-c1">color</span><span class="pl-kos">:</span> red;
}
<span class="pl-ent">p</span> {
<span class="pl-c1">font-size</span><span class="pl-kos">:</span> <span class="pl-c1">16<span class="pl-smi">px</span></span>;
font<span class="pl-c1">-</span>family<span class="pl-kos">:</span><span class="pl-c1">Monospace</span>;
}
<span class="pl-kos"></</span><span class="pl-ent">style</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">h2</span> <span class="pl-c1">class</span>="<span class="pl-s">red-text</span>"<span class="pl-kos">></span>CatPhotoApp<span class="pl-kos"></</span><span class="pl-ent">h2</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">p</span> <span class="pl-c1">class</span>="<span class="pl-s">red-text</span>"<span class="pl-kos">></span>Kitty ipsum dolor sit amet, shed everywhere shed everywhere stretching attack your ankles chase the red dot, hairball run catnip eat the grass sniff.<span class="pl-kos"></</span><span class="pl-ent">p</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">p</span><span class="pl-kos">></span>Purr jump eat the grass rip the couch scratched sunbathe, shed everywhere rip the couch sleep in the sink fluffy fur catnip scratched.<span class="pl-kos"></</span><span class="pl-ent">p</span><span class="pl-kos">></span></pre></div> | <p dir="auto">I just completed a Bonfire and before I could share it, I moved on to the next one. If I go back to the previous page, I'd have to copy/paste my code back into the editor and submit it again to get the option to share it again, creating another entry in the profile page with the same solution.</p>
<p dir="auto">If there were buttons to share solving a bonfire from the profile page's solution entry, I wouldn't have to redo the bonfire, creating another profile "solution" entry.</p>
<p dir="auto">I doubt this is a common occurrence, but if it is, this might cut down on duplicate database entries.</p> | 0 |
<h5 dir="auto">Description of the problem</h5>
<p dir="auto">I have created some points using the following code.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" let geometry = new THREE.Geometry();
geometry.vertices.push(new THREE.Vector3( 5, 5, 0));
geometry.vertices.push(new THREE.Vector3( 10, 5, 0));
geometry.vertices.push(new THREE.Vector3( 15, 5, 0));
geometry.colors.push(new THREE.Color(1, 0, 0));
geometry.colors.push(new THREE.Color(0, 1, 0));
geometry.colors.push(new THREE.Color(0, 0, 1));
let material = new THREE.PointsMaterial({size: 2, alphaTest: 0.5, vertexColors: THREE.VertexColors});
let mesh = new THREE.Points(geometry, material);"><pre class="notranslate"><code class="notranslate"> let geometry = new THREE.Geometry();
geometry.vertices.push(new THREE.Vector3( 5, 5, 0));
geometry.vertices.push(new THREE.Vector3( 10, 5, 0));
geometry.vertices.push(new THREE.Vector3( 15, 5, 0));
geometry.colors.push(new THREE.Color(1, 0, 0));
geometry.colors.push(new THREE.Color(0, 1, 0));
geometry.colors.push(new THREE.Color(0, 0, 1));
let material = new THREE.PointsMaterial({size: 2, alphaTest: 0.5, vertexColors: THREE.VertexColors});
let mesh = new THREE.Points(geometry, material);
</code></pre></div>
<p dir="auto">Now when i want to convert it using <code class="notranslate">mesh.toJSON()</code> the resulting json doesn't contain the colors for the vertices.</p>
<p dir="auto">Here is the working <a href="http://jsfiddle.net/hp5bhf3y/3/" rel="nofollow">jsfiddle</a>.</p>
<h5 dir="auto">Three.js version</h5>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> Dev</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> r92</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> ...</li>
</ul> | <p dir="auto">The <code class="notranslate">Geometry</code> for a <code class="notranslate">PointCloud</code> object has no <code class="notranslate">faces</code> (it is an empty array). However, <code class="notranslate">JSONLoader.prototype.parse</code> only parses color referenced through the faces. The bit that loops over the vertices ignores color: <a href="https://github.com/mrdoob/three.js/blob/master/src/loaders/JSONLoader.js#L182">https://github.com/mrdoob/three.js/blob/master/src/loaders/JSONLoader.js#L182</a></p>
<p dir="auto">The consequence of the bug is that <code class="notranslate">PointCloud</code> objects in a JSON file cannot define vertex colors. The following link shows that the JSON defines vertex colors, but the point cloud is rendered black.<br>
<a href="http://jsfiddle.net/J7zp4/166/" rel="nofollow">http://jsfiddle.net/J7zp4/166/</a><br>
The next link shows the point cloud rendered with the defined colors. The only difference is line 29 and 30 have been uncommented.<br>
<a href="http://jsfiddle.net/J7zp4/167/" rel="nofollow">http://jsfiddle.net/J7zp4/167/</a></p>
<p dir="auto">So I think that the JSONLoader should check for vertex colors around line 182 (linked above).</p> | 1 |
<h1 dir="auto">Feature request</h1>
<h2 dir="auto">Is your feature request related to a problem? Please describe.</h2>
<p dir="auto">A clear and concise description of what you want and what your use case is.</p>
<p dir="auto">Currently with nextjs9 we can make routes like</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="root/city/[id].js
root/city/[id]/details.js"><pre class="notranslate"><code class="notranslate">root/city/[id].js
root/city/[id]/details.js
</code></pre></div>
<p dir="auto">this cool.</p>
<h2 dir="auto">Describe the solution you'd like</h2>
<p dir="auto">But we can't make routes like:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="root/city-[id]/details.js"><pre class="notranslate"><code class="notranslate">root/city-[id]/details.js
</code></pre></div>
<h2 dir="auto">Describe alternatives you've considered</h2>
<h2 dir="auto">Additional context</h2>
<p dir="auto">Add any other context or screenshots about the feature request here.</p> | <p dir="auto">I can’t see any console.log placed on my component methods after upgrading to 2.3.1 when using npm run dev.</p>
<p dir="auto">We’re using a custom <code class="notranslate">_document.js</code> and previously included <code class="notranslate"><NextScript /></code>.<br>
We removed <code class="notranslate"><NextScript /></code> because we noticed it was duplicating the inclusion of Next scripts (e.g. app.js) on the page. After removing it I can’t do console.log on client side when running in development mode.</p> | 0 |
<p dir="auto">Currently, one can set default line properties like color, marker style, line width, etc. with <code class="notranslate">mpl.rcParams</code>. However, the ability to set a default line alpha seems to be missing. It would be great to have <code class="notranslate">'lines.alpha'</code> as a key in the <code class="notranslate">rcParams</code> dict, similar to <code class="notranslate">'lines.color'</code>, <code class="notranslate">'lines.marker'</code>, etc.</p> | <h3 dir="auto">Bug summary</h3>
<p dir="auto">When you invoke pyplot.show() to show your plot, the plot is not shown but instead crashes Python. This came about when I updated the package 'freetype' in a conda installation, from version 2.10.4 to 2.11.0.</p>
<h3 dir="auto">Code for reproduction</h3>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import matplotlib.pyplot as plt
plt.plot(1,1)
plt.show()"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">matplotlib</span>.<span class="pl-s1">pyplot</span> <span class="pl-k">as</span> <span class="pl-s1">plt</span>
<span class="pl-s1">plt</span>.<span class="pl-en">plot</span>(<span class="pl-c1">1</span>,<span class="pl-c1">1</span>)
<span class="pl-s1">plt</span>.<span class="pl-en">show</span>()</pre></div>
<h3 dir="auto">Actual outcome</h3>
<p dir="auto">Python simply crashes with no error messages.</p>
<h3 dir="auto">Expected outcome</h3>
<p dir="auto">It should plot a single point at (1,1) and show that plot.</p>
<h3 dir="auto">Operating system</h3>
<p dir="auto">Windows 10</p>
<h3 dir="auto">Matplotlib Version</h3>
<p dir="auto">3.4.3</p>
<h3 dir="auto">Matplotlib Backend</h3>
<p dir="auto">Qt5Agg</p>
<h3 dir="auto">Python version</h3>
<p dir="auto">3.8.12</p>
<h3 dir="auto">Jupyter version</h3>
<p dir="auto">N/A</p>
<h3 dir="auto">Other libraries</h3>
<p dir="auto">The bug came about when I updated package freetype, from version 2.10.4 to 2.11.0. The output of conda list (before the update):</p>
<p dir="auto">packages in environment at C:\juhasz-local\Anaconda3\envs\plttest:</p>
<p dir="auto">Name Version Build Channel<br>
blas 1.0 mkl<br>
blosc 1.21.0 h19a0ad4_0<br>
brotli 1.0.9 ha925a31_2<br>
bzip2 1.0.8 he774522_0<br>
ca-certificates 2021.10.26 haa95532_2<br>
certifi 2021.10.8 py38haa95532_0<br>
cfitsio 3.470 he774522_6<br>
charls 2.2.0 h6c2663c_0<br>
cycler 0.10.0 py38_0<br>
fonttools 4.25.0 pyhd3eb1b0_0<br>
freetype 2.10.4 hd328e21_0<br>
giflib 5.2.1 h62dcd97_0<br>
icu 58.2 ha925a31_3<br>
imagecodecs 2021.8.26 py38ha1f97ea_0<br>
intel-openmp 2021.3.0 haa95532_3372<br>
jpeg 9d h2bbff1b_0<br>
kiwisolver 1.3.1 py38hd77b12b_0<br>
lcms2 2.12 h83e58a3_0<br>
lerc 3.0 hd77b12b_0<br>
libaec 1.0.4 h33f27b4_1<br>
libdeflate 1.8 h2bbff1b_5<br>
libpng 1.6.37 h2a8f88b_0<br>
libtiff 4.2.0 hd0e1b90_0<br>
libwebp 1.2.0 h2bbff1b_0<br>
libzopfli 1.0.3 ha925a31_0<br>
lz4-c 1.9.3 h2bbff1b_1<br>
matplotlib 3.4.3 py38haa95532_0<br>
matplotlib-base 3.4.3 py38h49ac443_0<br>
mkl 2021.3.0 haa95532_524<br>
mkl-service 2.4.0 py38h2bbff1b_0<br>
mkl_fft 1.3.1 py38h277e83a_0<br>
mkl_random 1.2.2 py38hf11a4ad_0<br>
munkres 1.1.4 py_0<br>
numpy 1.21.2 py38hfca59bb_0<br>
numpy-base 1.21.2 py38h0829f74_0<br>
olefile 0.46 pyhd3eb1b0_0<br>
openjpeg 2.4.0 h4fc8c34_0<br>
openssl 1.1.1l h2bbff1b_0<br>
pillow 8.4.0 py38hd45dc43_0<br>
pip 21.2.2 py38haa95532_0<br>
pyparsing 2.4.7 pyhd3eb1b0_0<br>
pyqt 5.9.2 py38ha925a31_4<br>
python 3.8.12 h6244533_0<br>
python-dateutil 2.8.2 pyhd3eb1b0_0<br>
qt 5.9.7 vc14h73c81de_0<br>
setuptools 58.0.4 py38haa95532_0<br>
sip 4.19.13 py38ha925a31_0<br>
six 1.16.0 pyhd3eb1b0_0<br>
snappy 1.1.8 h33f27b4_0<br>
sqlite 3.36.0 h2bbff1b_0<br>
tk 8.6.11 h2bbff1b_0<br>
tornado 6.1 py38h2bbff1b_0<br>
vc 14.2 h21ff451_1<br>
vs2015_runtime 14.27.29016 h5e58377_2<br>
wheel 0.37.0 pyhd3eb1b0_1<br>
wincertstore 0.2 py38haa95532_2<br>
xz 5.2.5 h62dcd97_0<br>
zfp 0.5.5 hd77b12b_6<br>
zlib 1.2.11 h62dcd97_4<br>
zstd 1.4.9 h19a0ad4_0</p>
<h3 dir="auto">Installation</h3>
<p dir="auto">conda</p>
<h3 dir="auto">Conda channel</h3>
<p dir="auto">default</p> | 0 |
<h1 dir="auto">Summary of the new feature/enhancement</h1>
<p dir="auto">Allow searching for app to run by it's executable file name or even English name, especially useful for non-English variants of Windows.</p>
<p dir="auto">Personally every time I want to launch Windows Calculator my muscle memory types <code class="notranslate">calc</code> but that never brings up <code class="notranslate">Kalkulator</code> unfortunately</p> | <h1 dir="auto">Summary of the new feature/enhancement</h1>
<p dir="auto"><del>Product Launcher should support keyboard layout mapping for all system keyboard layouts, for example:</del></p>
<p dir="auto"><del><strong>US Keyboard</strong> ⟶ <strong>Russian Keyboard</strong></del><br>
<del><strong>Russian Keyboard</strong> ⟶ <strong>US Keyboard</strong></del><br>
EDIT: commenting out the part about the keyboard switching since it nor relevant, this problem is present even for languages that don't require to switch keyboard.</p>
<p dir="auto">Query <strong>"ьшскщыщае еуфьы"</strong> should display the results of <strong>"ьшскщыщае еуфьы"</strong> and <strong>"microsoft teams"</strong> queries.</p>
<p dir="auto">Query <strong>"rfkmrekznjh"</strong> should display the results of <strong>"калькулятор"</strong> and <strong>"rfkmrekznjh"</strong> queries.</p>
<h2 dir="auto">P.S.</h2>
<p dir="auto">Also Product Launcher should search for the localized app names(<code class="notranslate">ms-resource:AppName</code>) like a Windows Search.</p>
<h3 dir="auto">Product Launcher:</h3>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/6089872/83011284-48447680-a022-11ea-87ce-f2baecb09475.png"><img src="https://user-images.githubusercontent.com/6089872/83011284-48447680-a022-11ea-87ce-f2baecb09475.png" alt="image" style="max-width: 100%;"></a></p>
<h3 dir="auto">Windows Search:</h3>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/6089872/83011331-585c5600-a022-11ea-853f-e7ef6fe01821.png"><img src="https://user-images.githubusercontent.com/6089872/83011331-585c5600-a022-11ea-853f-e7ef6fe01821.png" alt="image" style="max-width: 100%;"></a></p> | 1 |
<h3 dir="auto">Describe your issue.</h3>
<p dir="auto">I always (since about three days) get this error when install the package.</p>
<h3 dir="auto">Reproducing Code Example</h3>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="pip install scipy"><pre class="notranslate"><span class="pl-s1">pip</span> <span class="pl-s1">install</span> <span class="pl-s1">scipy</span></pre></div>
<h3 dir="auto">Error message</h3>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="Using cached scipy-1.10.1.tar.gz (42.4 MB)
Installing build dependencies ... done
Getting requirements to build wheel ... done
Installing backend dependencies ... done
Preparing metadata (pyproject.toml) ... error
error: subprocess-exited-with-error
× Preparing metadata (pyproject.toml) did not run successfully.
│ exit code: 1
╰─> [16 lines of output]
The Meson build system
Version: 1.1.0
Source dir: /tmp/pip-install-1_lvv1l1/scipy_49f6f8770d974237958632829d776336
Build dir: /tmp/pip-install-1_lvv1l1/scipy_49f6f8770d974237958632829d776336/.mesonpy-i8u5z56g/build
Build type: native build
Project name: SciPy
Project version: 1.10.1
C compiler for the host machine: cc (gcc 12.2.1 "cc (Alpine 12.2.1_git20220924-r4) 12.2.1 20220924")
C linker for the host machine: cc ld.bfd 2.39
C++ compiler for the host machine: c++ (gcc 12.2.1 "c++ (Alpine 12.2.1_git20220924-r4) 12.2.1 20220924")
C++ linker for the host machine: c++ ld.bfd 2.39
../../meson.build:1:0: ERROR: Cython compiler 'cython' cannot compile programs
A full log can be found at /tmp/pip-install-1_lvv1l1/scipy_49f6f8770d974237958632829d776336/.mesonpy-i8u5z56g/build/meson-logs/meson-log.txt
+ meson setup --prefix=/usr/local /tmp/pip-install-1_lvv1l1/scipy_49f6f8770d974237958632829d776336 /tmp/pip-install-1_lvv1l1/scipy_49f6f8770d974237958632829d776336/.mesonpy-i8u5z56g/build --native-file=/tmp/pip-install-1_lvv1l1/scipy_49f6f8770d974237958632829d776336/.mesonpy-native-file.ini -Ddebug=false -Doptimization=2
[end of output]
note: This error originates from a subprocess, and is likely not a problem with pip.
error: metadata-generation-failed"><pre class="notranslate">Using cached scipy-1.10.1.tar.gz (42.4 MB)
Installing build dependencies ... <span class="pl-k">done</span>
Getting requirements to build wheel ... <span class="pl-k">done</span>
Installing backend dependencies ... <span class="pl-k">done</span>
Preparing metadata (pyproject.toml) ... error
error: subprocess-exited-with-error
× Preparing metadata (pyproject.toml) did not run successfully.
│ <span class="pl-c1">exit</span> code: 1
╰─<span class="pl-k">></span> [16 lines of output]
The Meson build system
Version: 1.1.0
Source dir: /tmp/pip-install-1_lvv1l1/scipy_49f6f8770d974237958632829d776336
Build dir: /tmp/pip-install-1_lvv1l1/scipy_49f6f8770d974237958632829d776336/.mesonpy-i8u5z56g/build
Build type: native build
Project name: SciPy
Project version: 1.10.1
C compiler <span class="pl-k">for</span> the host machine: cc (gcc 12.2.1 <span class="pl-s"><span class="pl-pds">"</span>cc (Alpine 12.2.1_git20220924-r4) 12.2.1 20220924<span class="pl-pds">"</span></span>)
C linker <span class="pl-k">for</span> the host machine: cc ld.bfd 2.39
C++ compiler <span class="pl-k">for</span> the host machine: c++ (gcc 12.2.1 <span class="pl-s"><span class="pl-pds">"</span>c++ (Alpine 12.2.1_git20220924-r4) 12.2.1 20220924<span class="pl-pds">"</span></span>)
C++ linker <span class="pl-k">for</span> the host machine: c++ ld.bfd 2.39
../../meson.build:1:0: ERROR: Cython compiler <span class="pl-s"><span class="pl-pds">'</span>cython<span class="pl-pds">'</span></span> cannot compile programs
A full log can be found at /tmp/pip-install-1_lvv1l1/scipy_49f6f8770d974237958632829d776336/.mesonpy-i8u5z56g/build/meson-logs/meson-log.txt
+ meson setup --prefix=/usr/local /tmp/pip-install-1_lvv1l1/scipy_49f6f8770d974237958632829d776336 /tmp/pip-install-1_lvv1l1/scipy_49f6f8770d974237958632829d776336/.mesonpy-i8u5z56g/build --native-file=/tmp/pip-install-1_lvv1l1/scipy_49f6f8770d974237958632829d776336/.mesonpy-native-file.ini -Ddebug=false -Doptimization=2
[end of output]
note: This error originates from a subprocess, and is likely not a problem with pip.
error: metadata-generation-failed</pre></div>
<h3 dir="auto">SciPy/NumPy/Python version and system information</h3>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="scipy-1.10.1"><pre class="notranslate">scipy-1.10.1</pre></div> | <p dir="auto">Want to build from source to work on adding a missing distribution (Landau distribution). Following the steps from <a href="https://scipy.github.io/devdocs/dev/dev_quickstart.html" rel="nofollow">here</a>. Using the <em>pip+venv</em> workflow. Already cloned the repo and created the virtual environment, run <code class="notranslate">python -m pip install numpy pytest cython pythran pybind11 meson ninja pydevtool rich-click</code> successfully. I am getting an error when running <code class="notranslate">python3 dev.py build</code>, specifically <code class="notranslate">meson.build:1:0: ERROR: Cython compiler 'cython' cannot compile programs</code>. If I look into the log I find:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Compiler stderr:
...
File "/home/me/.venvs/scipy-dev/lib/python3.10/site-packages/pythran/optimizations/pattern_transform.py", line 346, in <module>
getattr(PatternTransform, attr_name) + (known_pattern,))
AttributeError: type object 'PatternTransform' has no attribute 'typePatterns'. Did you mean: 'CallPatterns'?"><pre class="notranslate"><code class="notranslate">Compiler stderr:
...
File "/home/me/.venvs/scipy-dev/lib/python3.10/site-packages/pythran/optimizations/pattern_transform.py", line 346, in <module>
getattr(PatternTransform, attr_name) + (known_pattern,))
AttributeError: type object 'PatternTransform' has no attribute 'typePatterns'. Did you mean: 'CallPatterns'?
</code></pre></div>
<p dir="auto">How can I fix this to build the development version of scipy?</p>
<p dir="auto">OS: Ubuntu 22.04.<br>
Python: 3.10.6</p> | 1 |
<p dir="auto">As suggested below this report is moved to <a href="http://stackoverflow.com/questions/42123253/angular-2-local-development-environment-runs-only-once-after-install-reproducib" rel="nofollow">http://stackoverflow.com/questions/42123253/angular-2-local-development-environment-runs-only-once-after-install-reproducib</a></p>
<p dir="auto">It should be noted that having the "Report Issues" link on pages such as <a href="https://angular.io/" rel="nofollow">https://angular.io/</a> go to <a href="https://github.com/angular/angular/issues">https://github.com/angular/angular/issues</a> ends up wasting lots of people's time for Angular issues deemed not appropriate here.</p> | <p dir="auto">If I write something like this:</p>
<div class="highlight highlight-text-html-basic notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="<tbody *ngFor="#item of [1,2,3]" myTableRow></tbody>"><pre class="notranslate"><span class="pl-kos"><</span><span class="pl-ent">tbody</span> <span class="pl-c1">*ngFor</span>="<span class="pl-s">#item of [1,2,3]</span>" <span class="pl-c1">myTableRow</span><span class="pl-kos">></span><span class="pl-kos"></</span><span class="pl-ent">tbody</span><span class="pl-kos">></span></pre></div>
<p dir="auto">that uses the following component:</p>
<div class="highlight highlight-source-ts notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="@Component({
selector: '[myTableRow]',
template: '<tr><td>test</td></tr>'
})
export class MyTableRow {}"><pre class="notranslate">@<span class="pl-smi">Component</span><span class="pl-kos">(</span><span class="pl-kos">{</span>
<span class="pl-c1">selector</span>: <span class="pl-s">'[myTableRow]'</span><span class="pl-kos">,</span>
<span class="pl-c1">template</span>: <span class="pl-s">'<tr><td>test</td></tr>'</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span>
<span class="pl-k">export</span> <span class="pl-k">class</span> <span class="pl-smi">MyTableRow</span> <span class="pl-kos">{</span><span class="pl-kos">}</span></pre></div>
<p dir="auto">then it produces invalid HTML, there will be two nested tbody tags, like this:</p>
<div class="highlight highlight-text-html-basic notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="<tbody mytablerow="">
<tbody>
<tr><td>test</td></tr>
</tbody>
</tbody>"><pre class="notranslate"><span class="pl-kos"><</span><span class="pl-ent">tbody</span> <span class="pl-c1">mytablerow</span>=""<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">tbody</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">tr</span><span class="pl-kos">></span><span class="pl-kos"><</span><span class="pl-ent">td</span><span class="pl-kos">></span>test<span class="pl-kos"></</span><span class="pl-ent">td</span><span class="pl-kos">></span><span class="pl-kos"></</span><span class="pl-ent">tr</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">tbody</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">tbody</span><span class="pl-kos">></span></pre></div>
<p dir="auto">(In the real application I use this to group together multiple tr tags in a tbody, and the table has many tbody tags after each other)</p>
<p dir="auto">I get all kinds of malformed tables because of this, and it also breaks the usual <code class="notranslate">table > tbody > td</code> CSS rules, and is actually invalid HTML.<br>
This worked fine with alpha.46, but has been broken since alpha.47.<br>
Demo here: <a href="http://plnkr.co/edit/myYJZf6ZZj1ofhIcNj7E?p=preview" rel="nofollow">http://plnkr.co/edit/myYJZf6ZZj1ofhIcNj7E?p=preview</a></p> | 0 |
<h5 dir="auto">Description of the problem</h5>
<p dir="auto">Feature request: Add <code class="notranslate">modelViewProjection</code> matrix to all shaders as a global uniform. Right now every vertex shader I see using three js has to do a <code class="notranslate">projectionMatrix * modelViewMatrix</code> in order to get the object to clip position.</p>
<p dir="auto">The multiplication should be able to be done on the CPU in something like a onPreRender callback and sent down to the shader as a <code class="notranslate">mat4 modelViewProjection</code> uniform. This saves a matrix multiply in the vertex shader. The clip position can then be computed via <code class="notranslate">modelViewProjection * objPosition</code>.</p>
<h5 dir="auto">Three.js version</h5>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> r106</li>
</ul>
<h5 dir="auto">Browser</h5>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> All of them</li>
</ul>
<h5 dir="auto">OS</h5>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> All of them</li>
</ul> | <p dir="auto">Right now shaders do this to transform a vertex:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="gl_Position = projectionMatrix * modelViewMatrix * vec4( position, 1.0 );"><pre class="notranslate"><code class="notranslate">gl_Position = projectionMatrix * modelViewMatrix * vec4( position, 1.0 );
</code></pre></div>
<p dir="auto">Instead we could have this, saving one matrix multiplication per transformation:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="gl_Position = modelViewProjectionMatrix * vec4( position, 1.0 );"><pre class="notranslate"><code class="notranslate">gl_Position = modelViewProjectionMatrix * vec4( position, 1.0 );
</code></pre></div>
<p dir="auto">So we introduce a new premultiplied <code class="notranslate">uniform mat4 modelViewProjectionMatrix</code>.</p>
<p dir="auto">Any comments?</p> | 1 |
<p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=bacsik" rel="nofollow">Paul Bacsik</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-5578?redirect=false" rel="nofollow">SPR-5578</a></strong> and commented</p>
<p dir="auto"><code class="notranslate">@Autowired</code> is capable to handle private Fields, setting Fields with <property declaration is not possible. Two reasons why it should be possible:</p>
<ul dir="auto">
<li>Information Hiding, for the user of the class there must not be the possibility to call the setter.</li>
<li><code class="notranslate">@Autowired</code> is the annotation part of <property, since it should behave identically .</li>
</ul>
<hr>
<p dir="auto"><strong>Affects:</strong> 2.5.6</p>
<p dir="auto"><strong>Issue Links:</strong></p>
<ul dir="auto">
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="398070864" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/7294" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/7294/hovercard" href="https://github.com/spring-projects/spring-framework/issues/7294">#7294</a> add support for field injection (<em><strong>"duplicates"</strong></em>)</li>
</ul> | <p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=sivabbl" rel="nofollow">Sivakumar</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-4844?redirect=false" rel="nofollow">SPR-4844</a></strong> and commented</p>
<p dir="auto">Can any send the replacment method for the public static int countParameterPlaceholders(String str,<br>
char placeholder,<br>
String delimiters) in the spring 2.5.4</p>
<hr>
<p dir="auto"><strong>Issue Links:</strong></p>
<ul dir="auto">
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="398088580" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/9521" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/9521/hovercard" href="https://github.com/spring-projects/spring-framework/issues/9521">#9521</a> Replacement method for JdbcUtils.countParameterPlaceholders in spring 2.5.4 (<em><strong>"is duplicated by"</strong></em>)</li>
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="398088610" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/9527" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/9527/hovercard" href="https://github.com/spring-projects/spring-framework/issues/9527">#9527</a> New method for public static int countParameterPlaceholders(String str, char placeholder, String delimiters) in the spring 2.5.4 (<em><strong>"is duplicated by"</strong></em>)</li>
</ul> | 0 |
<p dir="auto">We need the equivalent of <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="316364303" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/20770" data-hovercard-type="pull_request" data-hovercard-url="/pandas-dev/pandas/pull/20770/hovercard" href="https://github.com/pandas-dev/pandas/pull/20770">#20770</a> for the case of partial indexing (which includes both indexing by lists of partial keys, and indexing by specifying a list for each level). It needs a separate approach because resulting indexers are different (as missing keys are dropped rather than replaced with NaN).</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="In [2]: mi = pd.MultiIndex.from_product([[1, 2], [3,4]])
In [3]: s = pd.Series(-1, index=mi)
In [4]: s.loc[[1, 3],[3, 4]]
Out[4]:
1 3 -1
4 -1
dtype: int64"><pre class="notranslate"><span class="pl-v">In</span> [<span class="pl-c1">2</span>]: <span class="pl-s1">mi</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">MultiIndex</span>.<span class="pl-en">from_product</span>([[<span class="pl-c1">1</span>, <span class="pl-c1">2</span>], [<span class="pl-c1">3</span>,<span class="pl-c1">4</span>]])
<span class="pl-v">In</span> [<span class="pl-c1">3</span>]: <span class="pl-s1">s</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">Series</span>(<span class="pl-c1">-</span><span class="pl-c1">1</span>, <span class="pl-s1">index</span><span class="pl-c1">=</span><span class="pl-s1">mi</span>)
<span class="pl-v">In</span> [<span class="pl-c1">4</span>]: <span class="pl-s1">s</span>.<span class="pl-s1">loc</span>[[<span class="pl-c1">1</span>, <span class="pl-c1">3</span>],[<span class="pl-c1">3</span>, <span class="pl-c1">4</span>]]
<span class="pl-v">Out</span>[<span class="pl-c1">4</span>]:
<span class="pl-c1">1</span> <span class="pl-c1">3</span> <span class="pl-c1">-</span><span class="pl-c1">1</span>
<span class="pl-c1">4</span> <span class="pl-c1">-</span><span class="pl-c1">1</span>
<span class="pl-s1">dtype</span>: <span class="pl-s1">int64</span></pre></div>
<p dir="auto">In any case, as for <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="316364303" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/20770" data-hovercard-type="pull_request" data-hovercard-url="/pandas-dev/pandas/pull/20770/hovercard" href="https://github.com/pandas-dev/pandas/pull/20770">#20770</a>, it should be possible to emit the warning without checking a second (or first) time for absent keys.</p>
<h4 dir="auto">Output of <code class="notranslate">pd.show_versions()</code></h4>
<details>
<h2 dir="auto">INSTALLED VERSIONS</h2>
<p dir="auto">commit: <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/pandas-dev/pandas/commit/c4da79b5b322c73d8e61d1cb98ac4ab1e2438b40/hovercard" href="https://github.com/pandas-dev/pandas/commit/c4da79b5b322c73d8e61d1cb98ac4ab1e2438b40"><tt>c4da79b</tt></a><br>
python: 3.5.3.final.0<br>
python-bits: 64<br>
OS: Linux<br>
OS-release: 4.9.0-6-amd64<br>
machine: x86_64<br>
processor:<br>
byteorder: little<br>
LC_ALL: None<br>
LANG: it_IT.UTF-8<br>
LOCALE: it_IT.UTF-8</p>
<p dir="auto">pandas: 0.23.0.dev0+824.gc4da79b5b.dirty<br>
pytest: 3.5.0<br>
pip: 9.0.1<br>
setuptools: 39.0.1<br>
Cython: 0.25.2<br>
numpy: 1.14.1<br>
scipy: 0.19.0<br>
pyarrow: None<br>
xarray: None<br>
IPython: 6.2.1<br>
sphinx: 1.5.6<br>
patsy: 0.5.0<br>
dateutil: 2.7.0<br>
pytz: 2017.2<br>
blosc: None<br>
bottleneck: 1.2.0dev<br>
tables: 3.3.0<br>
numexpr: 2.6.1<br>
feather: 0.3.1<br>
matplotlib: 2.0.0<br>
openpyxl: 2.3.0<br>
xlrd: 1.0.0<br>
xlwt: 1.3.0<br>
xlsxwriter: 0.9.6<br>
lxml: 4.1.1<br>
bs4: 4.5.3<br>
html5lib: 0.999999999<br>
sqlalchemy: 1.0.15<br>
pymysql: None<br>
psycopg2: None<br>
jinja2: 2.10<br>
s3fs: None<br>
fastparquet: None<br>
pandas_gbq: None<br>
pandas_datareader: 0.2.1</p>
</details> | <p dir="auto">This is similar to <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="63471029" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/9697" data-hovercard-type="issue" data-hovercard-url="/pandas-dev/pandas/issues/9697/hovercard" href="https://github.com/pandas-dev/pandas/issues/9697">#9697</a>, which was fixed in 0.16.1. I give a (very) slightly modified example here to show some related behavior which is at least inconsistent and should probably be handled cleanly.</p>
<p dir="auto">It's not entirely clear to me what the desired behavior is in this case; it's possible that transform should not work here at all, since it spits out unexpected values. But at minimum it seems like it should do the same thing no matter how I invoke it below.</p>
<p dir="auto">Example:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import numpy as np
df = pd.DataFrame({'col1':[1,1,2,2], 'col2':[1,2,3,np.nan])
#Let's try grouping on 'col2', which contains a NaN.
# Works and gives arguably reasonable results, with one unpredictable value
df.groupby('col2').transform(sum)['col1']
# Throws an unhelpful error
df.groupby('col2')['col1'].transform(sum)"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">numpy</span> <span class="pl-k">as</span> <span class="pl-s1">np</span>
<span class="pl-s1">df</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">DataFrame</span>({<span class="pl-s">'col1'</span>:[<span class="pl-c1">1</span>,<span class="pl-c1">1</span>,<span class="pl-c1">2</span>,<span class="pl-c1">2</span>], <span class="pl-s">'col2'</span>:[<span class="pl-c1">1</span>,<span class="pl-c1">2</span>,<span class="pl-c1">3</span>,<span class="pl-s1">np</span>.<span class="pl-s1">nan</span>])
<span class="pl-c">#Let's try grouping on 'col2', which contains a NaN.</span>
<span class="pl-c"># Works and gives arguably reasonable results, with one unpredictable value</span>
<span class="pl-s1">df</span>.<span class="pl-en">groupby</span>(<span class="pl-s">'col2'</span>).<span class="pl-en">transform</span>(<span class="pl-s1">sum</span>)[<span class="pl-s">'col1'</span>]
<span class="pl-c"># Throws an unhelpful error</span>
<span class="pl-s1">df</span>.<span class="pl-en">groupby</span>(<span class="pl-s">'col2'</span>)[<span class="pl-s">'col1'</span>].<span class="pl-en">transform</span>(<span class="pl-s1">sum</span>)</pre></div>
<p dir="auto">Error is similar to the one encountered in the previous issue:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="---------------------------------------------------------------------------
ValueError Traceback (most recent call last)
<ipython-input-54-2d4b83df6487> in <module>()
----> 1 df.groupby('col2')['col1'].transform(sum)
/usr/local/lib/python2.7/dist-packages/pandas/core/groupby.pyc in transform(self, func, *args, **kwargs)
2442 cyfunc = _intercept_cython(func)
2443 if cyfunc and not args and not kwargs:
-> 2444 return self._transform_fast(cyfunc)
2445
2446 # reg transform
/usr/local/lib/python2.7/dist-packages/pandas/core/groupby.pyc in _transform_fast(self, func)
2488 values = self._try_cast(values, self._selected_obj)
2489
-> 2490 return self._set_result_index_ordered(Series(values))
2491
2492 def filter(self, func, dropna=True, *args, **kwargs):
/usr/local/lib/python2.7/dist-packages/pandas/core/groupby.pyc in _set_result_index_ordered(self, result)
503 result = result.sort_index()
504
--> 505 result.index = self.obj.index
506 return result
507
/usr/local/lib/python2.7/dist-packages/pandas/core/generic.pyc in __setattr__(self, name, value)
2159 try:
2160 object.__getattribute__(self, name)
-> 2161 return object.__setattr__(self, name, value)
2162 except AttributeError:
2163 pass
/usr/local/lib/python2.7/dist-packages/pandas/lib.so in pandas.lib.AxisProperty.__set__ (pandas/lib.c:42548)()
/usr/local/lib/python2.7/dist-packages/pandas/core/series.pyc in _set_axis(self, axis, labels, fastpath)
273 object.__setattr__(self, '_index', labels)
274 if not fastpath:
--> 275 self._data.set_axis(axis, labels)
276
277 def _set_subtyp(self, is_all_dates):
/usr/local/lib/python2.7/dist-packages/pandas/core/internals.pyc in set_axis(self, axis, new_labels)
2217 if new_len != old_len:
2218 raise ValueError('Length mismatch: Expected axis has %d elements, '
-> 2219 'new values have %d elements' % (old_len, new_len))
2220
2221 self.axes[axis] = new_labels
ValueError: Length mismatch: Expected axis has 3 elements, new values have 4 elements
"><pre class="notranslate"><code class="notranslate">---------------------------------------------------------------------------
ValueError Traceback (most recent call last)
<ipython-input-54-2d4b83df6487> in <module>()
----> 1 df.groupby('col2')['col1'].transform(sum)
/usr/local/lib/python2.7/dist-packages/pandas/core/groupby.pyc in transform(self, func, *args, **kwargs)
2442 cyfunc = _intercept_cython(func)
2443 if cyfunc and not args and not kwargs:
-> 2444 return self._transform_fast(cyfunc)
2445
2446 # reg transform
/usr/local/lib/python2.7/dist-packages/pandas/core/groupby.pyc in _transform_fast(self, func)
2488 values = self._try_cast(values, self._selected_obj)
2489
-> 2490 return self._set_result_index_ordered(Series(values))
2491
2492 def filter(self, func, dropna=True, *args, **kwargs):
/usr/local/lib/python2.7/dist-packages/pandas/core/groupby.pyc in _set_result_index_ordered(self, result)
503 result = result.sort_index()
504
--> 505 result.index = self.obj.index
506 return result
507
/usr/local/lib/python2.7/dist-packages/pandas/core/generic.pyc in __setattr__(self, name, value)
2159 try:
2160 object.__getattribute__(self, name)
-> 2161 return object.__setattr__(self, name, value)
2162 except AttributeError:
2163 pass
/usr/local/lib/python2.7/dist-packages/pandas/lib.so in pandas.lib.AxisProperty.__set__ (pandas/lib.c:42548)()
/usr/local/lib/python2.7/dist-packages/pandas/core/series.pyc in _set_axis(self, axis, labels, fastpath)
273 object.__setattr__(self, '_index', labels)
274 if not fastpath:
--> 275 self._data.set_axis(axis, labels)
276
277 def _set_subtyp(self, is_all_dates):
/usr/local/lib/python2.7/dist-packages/pandas/core/internals.pyc in set_axis(self, axis, new_labels)
2217 if new_len != old_len:
2218 raise ValueError('Length mismatch: Expected axis has %d elements, '
-> 2219 'new values have %d elements' % (old_len, new_len))
2220
2221 self.axes[axis] = new_labels
ValueError: Length mismatch: Expected axis has 3 elements, new values have 4 elements
</code></pre></div> | 0 |
<h3 dir="auto">Version</h3>
<p dir="auto">2.6.10</p>
<h3 dir="auto">Reproduction link</h3>
<p dir="auto"><a href="https://github.com/lusarz/scoped-css-inheritance-issue">https://github.com/lusarz/scoped-css-inheritance-issue</a></p>
<h3 dir="auto">Steps to reproduce</h3>
<ol dir="auto">
<li>Create generic component (<a href="https://github.com/lusarz/scoped-css-inheritance-issue/blob/master/src/components/VPanel.vue">VPanel</a>) with slot, and <code class="notranslate">.title</code> class</li>
<li>Use VPanel as root of specific component (<a href="https://github.com/lusarz/scoped-css-inheritance-issue/blob/master/src/components/VSamplePanel.vue#L2">VSamplePanel</a>)</li>
<li>Define <a href="https://github.com/lusarz/scoped-css-inheritance-issue/blob/master/src/components/VSamplePanel.vue#L4">div with class <code class="notranslate">.title</code></a> inside specific component<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/10059264/63599104-2b75a100-c5c1-11e9-9a87-71baa564a119.png"><img src="https://user-images.githubusercontent.com/10059264/63599104-2b75a100-c5c1-11e9-9a87-71baa564a119.png" alt="repro" style="max-width: 100%;"></a></li>
</ol>
<h3 dir="auto">What is expected?</h3>
<p dir="auto">Div with class <code class="notranslate">.title</code> created inside VSamplePanel shouldn't inherit styling from VPanel (font-size in provided example)</p>
<h3 dir="auto">What is actually happening?</h3>
<p dir="auto">Div with class <code class="notranslate">.title</code> inside VSamplePanel inherits styling from VPanel (font-size: 48px).</p>
<hr>
<p dir="auto">I need to create some generic components like card, panel etc in project. I don't want to care about name of classes used in these generic components when writing it's instances.</p> | <p dir="auto">I know you can access transition hooks by:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Vue.transition('fade', {
beforeEnter (el) {
console.log('beforeEnter', el)
},
enter (el) {
console.log('enter', el)
},
afterEnter (el) {
console.log('afterEnter', el)
},
enterCancelled (el) {
// handle cancellation
},
beforeLeave (el) {
console.log('beforeLeave', el)
},
leave (el) {
console.log('leave', el)
},
afterLeave (el) {
console.log('afterLeave', el)
},
leaveCancelled (el) {
// handle cancellation
}
})"><pre class="notranslate"><code class="notranslate">Vue.transition('fade', {
beforeEnter (el) {
console.log('beforeEnter', el)
},
enter (el) {
console.log('enter', el)
},
afterEnter (el) {
console.log('afterEnter', el)
},
enterCancelled (el) {
// handle cancellation
},
beforeLeave (el) {
console.log('beforeLeave', el)
},
leave (el) {
console.log('leave', el)
},
afterLeave (el) {
console.log('afterLeave', el)
},
leaveCancelled (el) {
// handle cancellation
}
})
</code></pre></div>
<p dir="auto">But we use <code class="notranslate">vue-router</code> and have: <code class="notranslate"><Router-view transition="fade" transition-mode="out-in"></Router-view></code></p>
<p dir="auto">What we want to do is initialise some javascript on <code class="notranslate">afterEnter</code> but only some of the pages need this. I could set up a 2nd transition with hooks <code class="notranslate">Vue.transition('fadeWithInit', {...})</code> but this means i need to duplicate my CSS and all the functionality from the other <code class="notranslate">Vue.transition('fade', {...})</code> as well.</p>
<p dir="auto">It would be nice if we could access the hooks in a component level like:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="<script>
export default {
data () {
return {...}
},
transition: {
'fade': {
afterEnter () {
...initialise javascript here and inherit all the other hooks
}
}
}
}
</script>"><pre class="notranslate"><code class="notranslate"><script>
export default {
data () {
return {...}
},
transition: {
'fade': {
afterEnter () {
...initialise javascript here and inherit all the other hooks
}
}
}
}
</script>
</code></pre></div> | 0 |
<p dir="auto">In some situations we would like to use kubernetes without needing a docker registry. We store images on a shared nfs file system by using <code class="notranslate">docker export -o container.tar some-container</code>. On docker hosts we then import that image using <code class="notranslate">docker import</code> and run the container.</p>
<p dir="auto">It would be great if kubernetes could also support this so dependency on public internet access to the docker hub and running an internal registry are not required.</p>
<p dir="auto">cc: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dchen1107/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dchen1107">@dchen1107</a></p> | <p dir="auto">This would make distribution of cluster components packaged in docker images much easier. Right now component images are downloaded in tarfile format and unpacked by salt/bash. This should be a concern of cluster deployment but is currently entangled with node deployment. We should support this in the node API.</p>
<p dir="auto"><a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/bgrant0607/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/bgrant0607">@bgrant0607</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dchen1107/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dchen1107">@dchen1107</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/roberthbailey/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/roberthbailey">@roberthbailey</a></p> | 1 |
<p dir="auto">I have a problem with my flutter application. On iOS, everytime I launch it, I see a black screen for 1-2 seconds before my first screen can be loaded. The behaviour is like the one showed in <a href="https://www.youtube.com/watch?v=EpB_AdekLNc&feature=youtu.be" rel="nofollow">video</a></p>
<p dir="auto">I have setup a splashscreen editing LaunchScreen.storyboard. This happens even if I try to launch the default flutter app (counter), and both in emulator and real device.</p>
<h2 dir="auto">flutter doctor -v output</h2>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[✓] Flutter (Channel beta, v0.11.9, on Mac OS X 10.14 18A391, locale it-IT)
• Flutter version 0.11.9 at /Users/cosimosguanci/Downloads/flutter
• Framework revision d48e6e433c (2 weeks ago), 2018-11-20 22:05:23 -0500
• Engine revision 5c8147450d
• Dart version 2.1.0 (build 2.1.0-dev.9.4 f9ebf21297)
[!] Android toolchain - develop for Android devices (Android SDK 28.0.3)
• Android SDK at /Users/cosimosguanci/Library/Android/sdk
• Android NDK location not configured (optional; useful for native profiling support)
• Platform android-28, build-tools 28.0.3
• Java binary at: /Applications/Android Studio.app/Contents/jre/jdk/Contents/Home/bin/java
• Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1136-b06)
! Some Android licenses not accepted. To resolve this, run: flutter doctor --android-licenses
[!] iOS toolchain - develop for iOS devices (Xcode 10.0)
• Xcode at /Applications/Xcode.app/Contents/Developer
• Xcode 10.0, Build version 10A255
✗ ideviceinstaller is not installed; this is used to discover connected iOS devices.
To install with Brew, run:
brew install --HEAD usbmuxd
brew link usbmuxd
brew install --HEAD libimobiledevice
brew install ideviceinstaller
✗ ios-deploy not installed. To install with Brew:
brew install ios-deploy
• CocoaPods version 1.5.3
[✓] Android Studio (version 3.2)
• Android Studio at /Applications/Android Studio.app/Contents
• Flutter plugin version 31.1.1
• Dart plugin version 181.5656
• Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1136-b06)
[!] IntelliJ IDEA Community Edition (version 2018.2.4)
• IntelliJ at /Applications/IntelliJ IDEA CE.app
✗ Flutter plugin not installed; this adds Flutter specific functionality.
✗ Dart plugin not installed; this adds Dart specific functionality.
• For information about installing plugins, see
https://flutter.io/intellij-setup/#installing-the-plugins
[✓] Connected device (1 available)
• iPhone XS Max • 0A99CB7D-190D-4E59-B643-36E82E24F06E • ios • iOS 12.0 (simulator)"><pre class="notranslate"><code class="notranslate">[✓] Flutter (Channel beta, v0.11.9, on Mac OS X 10.14 18A391, locale it-IT)
• Flutter version 0.11.9 at /Users/cosimosguanci/Downloads/flutter
• Framework revision d48e6e433c (2 weeks ago), 2018-11-20 22:05:23 -0500
• Engine revision 5c8147450d
• Dart version 2.1.0 (build 2.1.0-dev.9.4 f9ebf21297)
[!] Android toolchain - develop for Android devices (Android SDK 28.0.3)
• Android SDK at /Users/cosimosguanci/Library/Android/sdk
• Android NDK location not configured (optional; useful for native profiling support)
• Platform android-28, build-tools 28.0.3
• Java binary at: /Applications/Android Studio.app/Contents/jre/jdk/Contents/Home/bin/java
• Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1136-b06)
! Some Android licenses not accepted. To resolve this, run: flutter doctor --android-licenses
[!] iOS toolchain - develop for iOS devices (Xcode 10.0)
• Xcode at /Applications/Xcode.app/Contents/Developer
• Xcode 10.0, Build version 10A255
✗ ideviceinstaller is not installed; this is used to discover connected iOS devices.
To install with Brew, run:
brew install --HEAD usbmuxd
brew link usbmuxd
brew install --HEAD libimobiledevice
brew install ideviceinstaller
✗ ios-deploy not installed. To install with Brew:
brew install ios-deploy
• CocoaPods version 1.5.3
[✓] Android Studio (version 3.2)
• Android Studio at /Applications/Android Studio.app/Contents
• Flutter plugin version 31.1.1
• Dart plugin version 181.5656
• Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1136-b06)
[!] IntelliJ IDEA Community Edition (version 2018.2.4)
• IntelliJ at /Applications/IntelliJ IDEA CE.app
✗ Flutter plugin not installed; this adds Flutter specific functionality.
✗ Dart plugin not installed; this adds Dart specific functionality.
• For information about installing plugins, see
https://flutter.io/intellij-setup/#installing-the-plugins
[✓] Connected device (1 available)
• iPhone XS Max • 0A99CB7D-190D-4E59-B643-36E82E24F06E • ios • iOS 12.0 (simulator)
</code></pre></div> | <p dir="auto">I am trying to figure out this blank screen that shows up between the LaunchImage and my app's first screen. Has anyone noticed that. this is the code I wrote for a simple test.</p>
<div class="highlight highlight-source-dart notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="void main() => runApp(
new MaterialApp(
debugShowCheckedModeBanner: false,
title: "Sample App",
theme: new ThemeData(
primarySwatch: Colors.yellow,
),
home: new Scaffold(
backgroundColor: Colors.red,
body:new Container(
child: new Center(
child: new Text (" Sample App ",
style: new TextStyle( fontSize: 20.0, color: Colors.white ),
)
)
)
)
)
);"><pre class="notranslate"><span class="pl-k">void</span> <span class="pl-en">main</span>() <span class="pl-k">=></span> <span class="pl-en">runApp</span>(
<span class="pl-k">new</span> <span class="pl-c1">MaterialApp</span>(
debugShowCheckedModeBanner<span class="pl-k">:</span> <span class="pl-c1">false</span>,
title<span class="pl-k">:</span> <span class="pl-s">"Sample App"</span>,
theme<span class="pl-k">:</span> <span class="pl-k">new</span> <span class="pl-c1">ThemeData</span>(
primarySwatch<span class="pl-k">:</span> <span class="pl-c1">Colors</span>.yellow,
),
home<span class="pl-k">:</span> <span class="pl-k">new</span> <span class="pl-c1">Scaffold</span>(
backgroundColor<span class="pl-k">:</span> <span class="pl-c1">Colors</span>.red,
body<span class="pl-k">:</span><span class="pl-k">new</span> <span class="pl-c1">Container</span>(
child<span class="pl-k">:</span> <span class="pl-k">new</span> <span class="pl-c1">Center</span>(
child<span class="pl-k">:</span> <span class="pl-k">new</span> <span class="pl-c1">Text</span> (<span class="pl-s">" Sample App "</span>,
style<span class="pl-k">:</span> <span class="pl-k">new</span> <span class="pl-c1">TextStyle</span>( fontSize<span class="pl-k">:</span> <span class="pl-c1">20.0</span>, color<span class="pl-k">:</span> <span class="pl-c1">Colors</span>.white ),
)
)
)
)
)
);</pre></div>
<p dir="auto">Here is a video of what happens .,.. see the bklack screen between the launch screen (with logo) and the red screen ... (from 1 secs to about 4 secs.)</p>
<p dir="auto"><a href="https://youtu.be/EpB_AdekLNc" rel="nofollow">https://youtu.be/EpB_AdekLNc</a></p>
<p dir="auto">The Android equivalent of this issue is <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="361496461" data-permission-text="Title is private" data-url="https://github.com/flutter/flutter/issues/22007" data-hovercard-type="issue" data-hovercard-url="/flutter/flutter/issues/22007/hovercard" href="https://github.com/flutter/flutter/issues/22007">#22007</a>.</p> | 1 |
<p dir="auto">Consider the case of someone who wishes to test out a package built in a WIndows configuration on a Linux machine (using WINE.) To do so one should be able to pass in <code class="notranslate">--cfg 'target_os = "win32"'</code> and have it override the existing target_os. Suprisingly, instead both configurations are activated. That's okay but what is really bad is that one can't even pass in <code class="notranslate">--cfg 'not(target_os = "win32")'</code> and disable the old configuration.</p> | <p dir="auto">Normally, I build stage1 rustpkg to save time. With <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/rust-lang/rust/commit/833ed21f87e1994ec76a757f3cbf2b8deedf55e1/hovercard" href="https://github.com/rust-lang/rust/commit/833ed21f87e1994ec76a757f3cbf2b8deedf55e1"><tt>833ed21</tt></a> I get:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="compile_and_link: x86_64-apple-darwin/stage0/lib/rustc/x86_64-apple-darwin/lib/librustpkg.dylib
time: 0.043 s parsing
time: 0.061 s expansion
time: 0.006 s configuration
time: 0.006 s maybe building test harness
time: 0.003 s intrinsic injection
time: 0.005 s core injection
time: 0.008 s ast indexing
time: 0.228 s external crate/lib resolution
error: duplicate entry for `const`
error: duplicate entry for `copy`
error: duplicate entry for `owned`
error: duplicate entry for `drop`
error: duplicate entry for `add`
error: duplicate entry for `sub`
error: duplicate entry for `mul`
error: duplicate entry for `div`
error: duplicate entry for `rem`
error: duplicate entry for `neg`
error: duplicate entry for `not`
error: duplicate entry for `bitxor`
error: duplicate entry for `bitand`
error: duplicate entry for `bitor`
error: duplicate entry for `shl`
error: duplicate entry for `shr`
error: duplicate entry for `index`
error: duplicate entry for `eq`
error: duplicate entry for `ord`
error: duplicate entry for `str_eq`
error: duplicate entry for `uniq_str_eq`
error: duplicate entry for `annihilate`
error: duplicate entry for `log_type`
error: duplicate entry for `fail_`
error: duplicate entry for `fail_bounds_check`
error: duplicate entry for `exchange_malloc`
error: duplicate entry for `exchange_free`
error: duplicate entry for `malloc`
error: duplicate entry for `free`
error: duplicate entry for `borrow_as_imm`
error: duplicate entry for `borrow_as_mut`
error: duplicate entry for `return_to_mut`
error: duplicate entry for `check_not_borrowed`
error: duplicate entry for `strdup_uniq`
error: duplicate entry for `record_borrow`
error: duplicate entry for `unrecord_borrow`
error: duplicate entry for `start`"><pre class="notranslate"><code class="notranslate">compile_and_link: x86_64-apple-darwin/stage0/lib/rustc/x86_64-apple-darwin/lib/librustpkg.dylib
time: 0.043 s parsing
time: 0.061 s expansion
time: 0.006 s configuration
time: 0.006 s maybe building test harness
time: 0.003 s intrinsic injection
time: 0.005 s core injection
time: 0.008 s ast indexing
time: 0.228 s external crate/lib resolution
error: duplicate entry for `const`
error: duplicate entry for `copy`
error: duplicate entry for `owned`
error: duplicate entry for `drop`
error: duplicate entry for `add`
error: duplicate entry for `sub`
error: duplicate entry for `mul`
error: duplicate entry for `div`
error: duplicate entry for `rem`
error: duplicate entry for `neg`
error: duplicate entry for `not`
error: duplicate entry for `bitxor`
error: duplicate entry for `bitand`
error: duplicate entry for `bitor`
error: duplicate entry for `shl`
error: duplicate entry for `shr`
error: duplicate entry for `index`
error: duplicate entry for `eq`
error: duplicate entry for `ord`
error: duplicate entry for `str_eq`
error: duplicate entry for `uniq_str_eq`
error: duplicate entry for `annihilate`
error: duplicate entry for `log_type`
error: duplicate entry for `fail_`
error: duplicate entry for `fail_bounds_check`
error: duplicate entry for `exchange_malloc`
error: duplicate entry for `exchange_free`
error: duplicate entry for `malloc`
error: duplicate entry for `free`
error: duplicate entry for `borrow_as_imm`
error: duplicate entry for `borrow_as_mut`
error: duplicate entry for `return_to_mut`
error: duplicate entry for `check_not_borrowed`
error: duplicate entry for `strdup_uniq`
error: duplicate entry for `record_borrow`
error: duplicate entry for `unrecord_borrow`
error: duplicate entry for `start`
</code></pre></div> | 0 |
<p dir="auto">I had a problem earlier when trying to scrape a site. I thought there was an issue with requests elsewhere but It turned out that I had to include the cookies from the headers as an argument in <code class="notranslate">scrapy.FormRequest()</code>. What is the reasoning behind this? Because, when using <code class="notranslate">request.post()</code> I can get a response 200 by just using the payload and headers. Why does scrapy differ to this for this situation? I had thought it follows the same structure as requests in the backend, but it seems like there's more to it.</p>
<p dir="auto">For example, here's what I had which gives a 404 error:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import scrapy
headers = {
'authority': 'www.etsy.com',
'sec-ch-ua': '" Not A;Brand";v="99", "Chromium";v="96", "Google Chrome";v="96"',
'x-csrf-token': '3:1641383062:Exn8HMFDcc0UtitU6NOM3o3x8BGB:864dc90d926383d90686f37be56f69685b939f0f306b10a99bcd9016209f15d4',
'sec-ch-ua-mobile': '?0',
'user-agent': 'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/96.0.4664.110 Safari/537.36',
'content-type': 'application/x-www-form-urlencoded; charset=UTF-8',
'accept': '*/*',
'x-requested-with': 'XMLHttpRequest',
'x-page-guid': 'eeda48b359a.aa23cce28f31baac6f24.00',
'x-detected-locale': 'GBP|en-GB|GB',
'sec-ch-ua-platform': '"Linux"',
'origin': 'https://www.etsy.com',
'sec-fetch-site': 'same-origin',
'sec-fetch-mode': 'cors',
'sec-fetch-dest': 'empty',
'referer': 'https://www.etsy.com/search/clothing/womens-clothing?q=20s&explicit=1&ship_to=GB&page=2&ref=pagination',
'accept-language': 'en-GB,en-US;q=0.9,en;q=0.8',
'cookie': 'uaid=G-_aWcvXqYHevnNO3ane9nOUmwNjZACCxCuVe2B0tVJpYmaKkpVSaVpUSoBZaGZVQL6Lj4mRv7ObrmmRR3F-aLyHp1ItAwA.; user_prefs=bNwL2wOEkWxqOSu2A1-CWlR6cr9jZACCxCuVe2B0tJK7U4CSTl5pTo6OUmqerruTko4SiACLGEEoXEQsAwA.; fve=1641314748.0; utm_lps=google__cpc; ua=531227642bc86f3b5fd7103a0c0b4fd6; p=eyJnZHByX3RwIjoxLCJnZHByX3AiOjF9; _gcl_au=1.1.1757627174.1641314793; _gid=GA1.2.1898390797.1641314793; __adal_cw=1641314793715; _pin_unauth=dWlkPVltVmtZemxoTldNdFpURXdPQzAwWkRWbUxXRTJOV1l0TTJGaE9URXdZVEEwTlRBeQ; last_browse_page=https%3A%2F%2Fwww.etsy.com%2Fuk%2F; __adal_ses=*; __adal_ca=so%3DGoogle%26me%3Dorganic%26ca%3D%28not%2520set%29%26co%3D%28not%2520set%29%26ke%3D%28not%2520set%29; search_options={"prev_search_term":"20s","item_language":null,"language_carousel":null}; _ga=GA1.2.559839679.1641314793; tsd=%7B%7D; __adal_id=952d43d7-5b80-4907-99d7-6f6baa9f4fe1.1641314794.3.1641383063.1641383059.2fe7a338-93bd-441f-b295-80549adbef7b; _tq_id.TV-27270909-1.a4d5=e2f6af8c27dee5e4.1641314794.0.1641383063..; _uetsid=dff577e06d7d11ec9617cbf4cc51b5b2; _uetvid=dff5f2706d7d11ec932fd3c5b816ab20; granify.uuid=bfd14e46-e8fa-4e7b-bce7-6f05dcb4b215; pla_spr=1; _ga_KR3J610VYM=GS1.1.1641383058.3.1.1641383118.60; exp_hangover=qk2fpkLi1lphuLsCKeq4gAe9BvxjZACCxCuVe8D01Zbb1UrlqUnxiUUlmWmZyZmJOfE5iSWpecmV8YUm8UYGhpZKVkqZeak5memZSTmpSrUMAA..; granify.session.QrsCf=-1',
}
class EtsySpider(scrapy.Spider):
name = 'etit'
start_urls = ['https://www.etsy.com/api/v3/ajax/bespoke/member/neu/specs/async_search_results']
custom_settings = {
'USER_AGENT':'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/96.0.4664.110 Safari/537.36'
}
def start_requests(self):
for url in self.start_urls:
yield scrapy.FormRequest(
url,
method = "POST",
formdata = {
'log_performance_metrics': 'true',
'specs[async_search_results][]': 'Search2_ApiSpecs_WebSearch',
'specs[async_search_results][1][search_request_params][detected_locale][language]': 'en-GB',
'specs[async_search_results][1][search_request_params][detected_locale][currency_code]': 'GBP',
'specs[async_search_results][1][search_request_params][detected_locale][region]': 'GB',
'specs[async_search_results][1][search_request_params][locale][language]': 'en-GB',
'specs[async_search_results][1][search_request_params][locale][currency_code]': 'GBP',
'specs[async_search_results][1][search_request_params][locale][region]': 'GB',
'specs[async_search_results][1][search_request_params][name_map][query]': 'q',
'specs[async_search_results][1][search_request_params][name_map][query_type]': 'qt',
'specs[async_search_results][1][search_request_params][name_map][results_per_page]': 'result_count',
'specs[async_search_results][1][search_request_params][name_map][min_price]': 'min',
'specs[async_search_results][1][search_request_params][name_map][max_price]': 'max',
'specs[async_search_results][1][search_request_params][parameters][q]': '30s',
'specs[async_search_results][1][search_request_params][parameters][explicit]': '1',
'specs[async_search_results][1][search_request_params][parameters][locationQuery]': '2635167',
'specs[async_search_results][1][search_request_params][parameters][ship_to]': 'GB',
'specs[async_search_results][1][search_request_params][parameters][page]': '4',
'specs[async_search_results][1][search_request_params][parameters][ref]': 'pagination',
'specs[async_search_results][1][search_request_params][parameters][facet]': 'clothing/womens-clothing',
'specs[async_search_results][1][search_request_params][parameters][referrer]': 'https://www.etsy.com/search/clothing/womens-clothing?q=30s&explicit=1locationQuery=2635167&ship_to=GB&page=3&ref=pagination',
'specs[async_search_results][1][search_request_params][user_id]': '',
'specs[async_search_results][1][request_type]': 'pagination_preact',
'specs[async_search_results][1][is_eligible_for_spa_reformulations]': 'false',
'view_data_event_name': 'search_async_pagination_specview_rendered'
},
headers=headers,
callback = self.parse
)
def parse(self, response):
stuff = response.json().get('cssFiles')
yield {
'stuff':stuff
}"><pre class="notranslate"><code class="notranslate">import scrapy
headers = {
'authority': 'www.etsy.com',
'sec-ch-ua': '" Not A;Brand";v="99", "Chromium";v="96", "Google Chrome";v="96"',
'x-csrf-token': '3:1641383062:Exn8HMFDcc0UtitU6NOM3o3x8BGB:864dc90d926383d90686f37be56f69685b939f0f306b10a99bcd9016209f15d4',
'sec-ch-ua-mobile': '?0',
'user-agent': 'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/96.0.4664.110 Safari/537.36',
'content-type': 'application/x-www-form-urlencoded; charset=UTF-8',
'accept': '*/*',
'x-requested-with': 'XMLHttpRequest',
'x-page-guid': 'eeda48b359a.aa23cce28f31baac6f24.00',
'x-detected-locale': 'GBP|en-GB|GB',
'sec-ch-ua-platform': '"Linux"',
'origin': 'https://www.etsy.com',
'sec-fetch-site': 'same-origin',
'sec-fetch-mode': 'cors',
'sec-fetch-dest': 'empty',
'referer': 'https://www.etsy.com/search/clothing/womens-clothing?q=20s&explicit=1&ship_to=GB&page=2&ref=pagination',
'accept-language': 'en-GB,en-US;q=0.9,en;q=0.8',
'cookie': 'uaid=G-_aWcvXqYHevnNO3ane9nOUmwNjZACCxCuVe2B0tVJpYmaKkpVSaVpUSoBZaGZVQL6Lj4mRv7ObrmmRR3F-aLyHp1ItAwA.; user_prefs=bNwL2wOEkWxqOSu2A1-CWlR6cr9jZACCxCuVe2B0tJK7U4CSTl5pTo6OUmqerruTko4SiACLGEEoXEQsAwA.; fve=1641314748.0; utm_lps=google__cpc; ua=531227642bc86f3b5fd7103a0c0b4fd6; p=eyJnZHByX3RwIjoxLCJnZHByX3AiOjF9; _gcl_au=1.1.1757627174.1641314793; _gid=GA1.2.1898390797.1641314793; __adal_cw=1641314793715; _pin_unauth=dWlkPVltVmtZemxoTldNdFpURXdPQzAwWkRWbUxXRTJOV1l0TTJGaE9URXdZVEEwTlRBeQ; last_browse_page=https%3A%2F%2Fwww.etsy.com%2Fuk%2F; __adal_ses=*; __adal_ca=so%3DGoogle%26me%3Dorganic%26ca%3D%28not%2520set%29%26co%3D%28not%2520set%29%26ke%3D%28not%2520set%29; search_options={"prev_search_term":"20s","item_language":null,"language_carousel":null}; _ga=GA1.2.559839679.1641314793; tsd=%7B%7D; __adal_id=952d43d7-5b80-4907-99d7-6f6baa9f4fe1.1641314794.3.1641383063.1641383059.2fe7a338-93bd-441f-b295-80549adbef7b; _tq_id.TV-27270909-1.a4d5=e2f6af8c27dee5e4.1641314794.0.1641383063..; _uetsid=dff577e06d7d11ec9617cbf4cc51b5b2; _uetvid=dff5f2706d7d11ec932fd3c5b816ab20; granify.uuid=bfd14e46-e8fa-4e7b-bce7-6f05dcb4b215; pla_spr=1; _ga_KR3J610VYM=GS1.1.1641383058.3.1.1641383118.60; exp_hangover=qk2fpkLi1lphuLsCKeq4gAe9BvxjZACCxCuVe8D01Zbb1UrlqUnxiUUlmWmZyZmJOfE5iSWpecmV8YUm8UYGhpZKVkqZeak5memZSTmpSrUMAA..; granify.session.QrsCf=-1',
}
class EtsySpider(scrapy.Spider):
name = 'etit'
start_urls = ['https://www.etsy.com/api/v3/ajax/bespoke/member/neu/specs/async_search_results']
custom_settings = {
'USER_AGENT':'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/96.0.4664.110 Safari/537.36'
}
def start_requests(self):
for url in self.start_urls:
yield scrapy.FormRequest(
url,
method = "POST",
formdata = {
'log_performance_metrics': 'true',
'specs[async_search_results][]': 'Search2_ApiSpecs_WebSearch',
'specs[async_search_results][1][search_request_params][detected_locale][language]': 'en-GB',
'specs[async_search_results][1][search_request_params][detected_locale][currency_code]': 'GBP',
'specs[async_search_results][1][search_request_params][detected_locale][region]': 'GB',
'specs[async_search_results][1][search_request_params][locale][language]': 'en-GB',
'specs[async_search_results][1][search_request_params][locale][currency_code]': 'GBP',
'specs[async_search_results][1][search_request_params][locale][region]': 'GB',
'specs[async_search_results][1][search_request_params][name_map][query]': 'q',
'specs[async_search_results][1][search_request_params][name_map][query_type]': 'qt',
'specs[async_search_results][1][search_request_params][name_map][results_per_page]': 'result_count',
'specs[async_search_results][1][search_request_params][name_map][min_price]': 'min',
'specs[async_search_results][1][search_request_params][name_map][max_price]': 'max',
'specs[async_search_results][1][search_request_params][parameters][q]': '30s',
'specs[async_search_results][1][search_request_params][parameters][explicit]': '1',
'specs[async_search_results][1][search_request_params][parameters][locationQuery]': '2635167',
'specs[async_search_results][1][search_request_params][parameters][ship_to]': 'GB',
'specs[async_search_results][1][search_request_params][parameters][page]': '4',
'specs[async_search_results][1][search_request_params][parameters][ref]': 'pagination',
'specs[async_search_results][1][search_request_params][parameters][facet]': 'clothing/womens-clothing',
'specs[async_search_results][1][search_request_params][parameters][referrer]': 'https://www.etsy.com/search/clothing/womens-clothing?q=30s&explicit=1locationQuery=2635167&ship_to=GB&page=3&ref=pagination',
'specs[async_search_results][1][search_request_params][user_id]': '',
'specs[async_search_results][1][request_type]': 'pagination_preact',
'specs[async_search_results][1][is_eligible_for_spa_reformulations]': 'false',
'view_data_event_name': 'search_async_pagination_specview_rendered'
},
headers=headers,
callback = self.parse
)
def parse(self, response):
stuff = response.json().get('cssFiles')
yield {
'stuff':stuff
}
</code></pre></div>
<p dir="auto">And when I include the following I can crawl the information:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" cookies = {
"user_prefs": "2sjEL59UUglDjNIW6TKc04MvLTVjZACCxJMbvsPoaKXQYBclnbzSnBwdpdQ83dBgJR2lUEeoiBGEwkXEMgAA",
"fve": "1640607991.0",
"ua": "531227642bc86f3b5fd7103a0c0b4fd6",
"_gcl_au": "1.1.717562651.1640607992",
"uaid": "E7bYwrWVwTy7YGe_b_ipYT3Avd9jZACCxJMbvoPpqwvzqpVKEzNTlKyUnLJ9Io3DTQt1k53MwiojXTLzvZPCS31yCoPC_JRqGQA.",
"pla_spr": "0",
"_gid": "GA1.2.1425785976.1641390447",
"_dc_gtm_UA-2409779-1": "1",
"_pin_unauth": "dWlkPU0yVTRaamxoTWpjdFlqTTVZUzAwT0RJeExXRmpNamt0WlROalpXTTVNREE0WkRVNQ",
"_ga": "GA1.1.1730759327.1640607993",
"_uetsid": "052ece906e2e11ecb56a0390ed629376",
"_uetvid": "39de7550671011ec80d2dbfaa05c901b",
"exp_hangover": "pB4zSokzfzMIT9Jzi7zIwmXybCJjZACCxJMbvoPpqwt7qpXKU5PiE4tKMtMykzMTc-JzEktS85Ir4wtN4o0MDC2VrJQy81JzMtMzk3JSlWoZAA..",
"_ga_KR3J610VYM": "GS1.1.1641390446.2.1.1641390474.32"
}
for url in self.start_urls:
yield scrapy.FormRequest(
'https://www.etsy.com/api/v3/ajax/bespoke/member/neu/specs/async_search_results',
headers=headers,
cookies=cookies,
method="POST",
formdata=data,
callback = self.parse_res
)"><pre class="notranslate"><code class="notranslate"> cookies = {
"user_prefs": "2sjEL59UUglDjNIW6TKc04MvLTVjZACCxJMbvsPoaKXQYBclnbzSnBwdpdQ83dBgJR2lUEeoiBGEwkXEMgAA",
"fve": "1640607991.0",
"ua": "531227642bc86f3b5fd7103a0c0b4fd6",
"_gcl_au": "1.1.717562651.1640607992",
"uaid": "E7bYwrWVwTy7YGe_b_ipYT3Avd9jZACCxJMbvoPpqwvzqpVKEzNTlKyUnLJ9Io3DTQt1k53MwiojXTLzvZPCS31yCoPC_JRqGQA.",
"pla_spr": "0",
"_gid": "GA1.2.1425785976.1641390447",
"_dc_gtm_UA-2409779-1": "1",
"_pin_unauth": "dWlkPU0yVTRaamxoTWpjdFlqTTVZUzAwT0RJeExXRmpNamt0WlROalpXTTVNREE0WkRVNQ",
"_ga": "GA1.1.1730759327.1640607993",
"_uetsid": "052ece906e2e11ecb56a0390ed629376",
"_uetvid": "39de7550671011ec80d2dbfaa05c901b",
"exp_hangover": "pB4zSokzfzMIT9Jzi7zIwmXybCJjZACCxJMbvoPpqwt7qpXKU5PiE4tKMtMykzMTc-JzEktS85Ir4wtN4o0MDC2VrJQy81JzMtMzk3JSlWoZAA..",
"_ga_KR3J610VYM": "GS1.1.1641390446.2.1.1641390474.32"
}
for url in self.start_urls:
yield scrapy.FormRequest(
'https://www.etsy.com/api/v3/ajax/bespoke/member/neu/specs/async_search_results',
headers=headers,
cookies=cookies,
method="POST",
formdata=data,
callback = self.parse_res
)
</code></pre></div> | <p dir="auto">I am new in scrapy, and I meet some problems which I can not get answer from google, so I post it here:</p>
<p dir="auto">1 Cookie not work even set in DEFAULT_REQUEST_HEADERS:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="DEFAULT_REQUEST_HEADERS = {
'Accept': 'text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8',
'accept-encoding': 'gzip, deflate, sdch',
'cache-control': 'no-cache',
'cookie': 'xx=yy',
'user-agent': 'Mozilla/5.0 (Windows NT 10.0; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/50.0.2661.94 Safari/537.36'
}"><pre class="notranslate"><code class="notranslate">DEFAULT_REQUEST_HEADERS = {
'Accept': 'text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8',
'accept-encoding': 'gzip, deflate, sdch',
'cache-control': 'no-cache',
'cookie': 'xx=yy',
'user-agent': 'Mozilla/5.0 (Windows NT 10.0; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/50.0.2661.94 Safari/537.36'
}
</code></pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="class MySpider(scrapy.Spider):
def make_requests_from_url(self, url):
return scrapy.http.Request(url, headers=DEFAULT_REQUEST_HEADERS)"><pre class="notranslate"><code class="notranslate">class MySpider(scrapy.Spider):
def make_requests_from_url(self, url):
return scrapy.http.Request(url, headers=DEFAULT_REQUEST_HEADERS)
</code></pre></div>
<p dir="auto">I know the <code class="notranslate">make_requests_from_url</code> will only called once for the start_urls, and in my opinion, the first request will send the cookie I set in the <code class="notranslate">DEFAULT_REQUEST_HEADERS</code>, however it does not.</p>
<p dir="auto">2 Share settings between spiders.</p>
<p dir="auto">I have multiple spiders in the project which share most of the settings like <code class="notranslate">RandomAgentMiddleware</code> <code class="notranslate">RandomProxyMiddleware</code> <code class="notranslate">UserAgent</code> <code class="notranslate">DEFAULT_REQUEST_HEADERS</code> and etc, however they are configured inside the settings.py for each spider.</p>
<p dir="auto">Is it possible to share these settings?</p>
<hr>
<p dir="auto">The<br>
<code class="notranslate">COOKIES_ENABLED</code> is set to true.</p> | 1 |
<ul dir="auto">
<li>Electron version: 0.37.2 & 0.35.5</li>
<li>Operating system: OSX 10.11</li>
</ul>
<p dir="auto">Part of the stack trace:<br>
Responsible: Electron [25499]<br>
User ID: 502</p>
<p dir="auto">Date/Time: 2016-03-25 17:01:48.270 +0200<br>
OS Version: Mac OS X 10.11.4 (15E65)<br>
Report Version: 11<br>
Anonymous UUID: 2C6BD5A7-8763-4740-F4C9-9AAAE37693B8</p>
<p dir="auto">Sleep/Wake UUID: F49F40D7-B263-4D40-9100-769091599763</p>
<p dir="auto">Time Awake Since Boot: 210000 seconds<br>
Time Since Wake: 24000 seconds</p>
<p dir="auto">System Integrity Protection: enabled</p>
<p dir="auto">Crashed Thread: 28 com.apple.NSURLConnectionLoader</p>
<p dir="auto">Exception Type: EXC_CRASH (SIGABRT)<br>
Exception Codes: 0x0000000000000000, 0x0000000000000000<br>
Exception Note: EXC_CORPSE_NOTIFY</p>
<p dir="auto">Application Specific Information:<br>
*** Terminating app due to uncaught exception 'NSInvalidArgumentException', reason: '-[__NSCFNumber length]: unrecognized selector sent to instance 0x29a37'<br>
terminating with uncaught exception of type NSException<br>
abort() called</p>
<p dir="auto">Is there any way to debug this? Calling <code class="notranslate">setFeedURL</code> seems to work fine.</p> | <p dir="auto">Hello,</p>
<p dir="auto">I tried to add auto-updating to a project, but I get the following error: <code class="notranslate">Electron[2596:20416] -[__NSCFNumber length]: unrecognized selector sent to instance 0x1505b49b61437</code>, with Electron v0.33.7 packaged using <code class="notranslate">electron-packager</code> on OSX 10.10.5.</p>
<p dir="auto">Here is a minimal main process file I have the issue with, I set the feed URL to atom's one to make sure the problem wouldn't be from my server, but the result is the same:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var autoUpdater = require('auto-updater');
autoUpdater.on('error', function(event, message) {
console.log('auto-updater error', message);
});
autoUpdater.on('checking-for-update', function() {
console.log('auto-updater checking for update');
});
autoUpdater.on('update-available', function() {
console.log('auto-updater update available');
});
autoUpdater.on('update-not-available', function() {
console.log('auto-updater update not available');
});
autoUpdater.on('update-downloaded', function() {
console.log('auto-updater update downloaded');
});
autoUpdater.setFeedUrl('https://atom.io/api/updates');
autoUpdater.checkForUpdates();"><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">autoUpdater</span> <span class="pl-c1">=</span> <span class="pl-en">require</span><span class="pl-kos">(</span><span class="pl-s">'auto-updater'</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">autoUpdater</span><span class="pl-kos">.</span><span class="pl-en">on</span><span class="pl-kos">(</span><span class="pl-s">'error'</span><span class="pl-kos">,</span> <span class="pl-k">function</span><span class="pl-kos">(</span><span class="pl-s1">event</span><span class="pl-kos">,</span> <span class="pl-s1">message</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-smi">console</span><span class="pl-kos">.</span><span class="pl-en">log</span><span class="pl-kos">(</span><span class="pl-s">'auto-updater error'</span><span class="pl-kos">,</span> <span class="pl-s1">message</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">autoUpdater</span><span class="pl-kos">.</span><span class="pl-en">on</span><span class="pl-kos">(</span><span class="pl-s">'checking-for-update'</span><span class="pl-kos">,</span> <span class="pl-k">function</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-smi">console</span><span class="pl-kos">.</span><span class="pl-en">log</span><span class="pl-kos">(</span><span class="pl-s">'auto-updater checking for update'</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">autoUpdater</span><span class="pl-kos">.</span><span class="pl-en">on</span><span class="pl-kos">(</span><span class="pl-s">'update-available'</span><span class="pl-kos">,</span> <span class="pl-k">function</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-smi">console</span><span class="pl-kos">.</span><span class="pl-en">log</span><span class="pl-kos">(</span><span class="pl-s">'auto-updater update available'</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">autoUpdater</span><span class="pl-kos">.</span><span class="pl-en">on</span><span class="pl-kos">(</span><span class="pl-s">'update-not-available'</span><span class="pl-kos">,</span> <span class="pl-k">function</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-smi">console</span><span class="pl-kos">.</span><span class="pl-en">log</span><span class="pl-kos">(</span><span class="pl-s">'auto-updater update not available'</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">autoUpdater</span><span class="pl-kos">.</span><span class="pl-en">on</span><span class="pl-kos">(</span><span class="pl-s">'update-downloaded'</span><span class="pl-kos">,</span> <span class="pl-k">function</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-smi">console</span><span class="pl-kos">.</span><span class="pl-en">log</span><span class="pl-kos">(</span><span class="pl-s">'auto-updater update downloaded'</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">autoUpdater</span><span class="pl-kos">.</span><span class="pl-en">setFeedUrl</span><span class="pl-kos">(</span><span class="pl-s">'https://atom.io/api/updates'</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">autoUpdater</span><span class="pl-kos">.</span><span class="pl-en">checkForUpdates</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div>
<p dir="auto">Here are the full logs, launching the app from a terminal after being packaged with <code class="notranslate">electron-packager</code> and codesigned:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="auto-updater checking for update
2015-10-12 10:08:59.995 Electron[2596:20416] -[__NSCFNumber length]: unrecognized selector sent to instance 0x1505b49b61437
auto-updater error The request timed out.: (null)"><pre class="notranslate"><code class="notranslate">auto-updater checking for update
2015-10-12 10:08:59.995 Electron[2596:20416] -[__NSCFNumber length]: unrecognized selector sent to instance 0x1505b49b61437
auto-updater error The request timed out.: (null)
</code></pre></div>
<p dir="auto">Is there anything I'm missing trying to setup the auto-updater?<br>
Thanks for your help.</p> | 1 |
<p dir="auto">The CylinderBufferGeometry constructor produces doubled vertices and normals in the places where a ring is closed. This could result in wrong shading (one non-smoothed edge), in the screenshot only for demonstrating purposes forced by a call of computeVertexNormals().</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/5700294/24242974/d8ab194c-0fb9-11e7-8cb2-4c4a5fdcf45f.PNG"><img src="https://cloud.githubusercontent.com/assets/5700294/24242974/d8ab194c-0fb9-11e7-8cb2-4c4a5fdcf45f.PNG" alt="cylinder" style="max-width: 100%;"></a></p>
<p dir="auto">Wouldn't it be cleaner to have no doubled vertices/normals at all on the sides? The duplication could easily be avoided in the constructor (by only doubling a row’s start index in the index array instead of doubling the vertex and normal).</p>
<p dir="auto">But since it’s the same with SphereBufferGeometry and SphereGeometry, I wonder whether the duplication is perhaps made intentionally for some reason I don’t know?</p>
<p dir="auto">r85dev</p> | <p dir="auto">We have two files named <code class="notranslate">Vector3.js</code> in the project. Plus a lot of other duplicates.</p>
<p dir="auto">Does it make sense to name them differently?</p>
<p dir="auto">I find myself searching for <code class="notranslate">Vector3.js</code> and getting a file different than the one I intended.</p>
<p dir="auto">Maybe the second one could be <code class="notranslate">TestVector3.js</code>.</p> | 0 |
<h3 dir="auto">Version</h3>
<p dir="auto">2.5.21</p>
<h3 dir="auto">Reproduction link</h3>
<p dir="auto"><a href="https://github.com/manniL/vue-server-renderer-falsy-styles-bug/">https://github.com/manniL/vue-server-renderer-falsy-styles-bug/</a></p>
<h3 dir="auto">Steps to reproduce</h3>
<ol dir="auto">
<li>Clone repo</li>
<li>Install deps</li>
<li>Run <code class="notranslate">src/index.js</code></li>
</ol>
<h3 dir="auto">What is expected?</h3>
<p dir="auto"><code class="notranslate"><h1 data-server-rendered="true" style="color: 'red'">Welcome!!</h1></code></p>
<h3 dir="auto">What is actually happening?</h3>
<p dir="auto"><code class="notranslate"><h1 data-server-rendered="true" style="height:null;color:red;">Welcome!!</h1> </code></p>
<h3 dir="auto">Related</h3>
<p dir="auto"><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="394755906" data-permission-text="Title is private" data-url="https://github.com/nuxt/nuxt/issues/4652" data-hovercard-type="issue" data-hovercard-url="/nuxt/nuxt/issues/4652/hovercard" href="https://github.com/nuxt/nuxt/issues/4652">nuxt/nuxt#4652</a></p> | <p dir="auto">In the following example, slot1 is getting inserted twice. Is this normal?<br>
Any idea why it's behaving like this?</p>
<p dir="auto"><a href="https://jsfiddle.net/6tc2wzne/" rel="nofollow">https://jsfiddle.net/6tc2wzne/</a></p> | 0 |
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[BeforeEach] [k8s.io] Kubectl client
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/framework.go:101
STEP: Creating a kubernetes client
Mar 16 12:19:35.383: INFO: >>> testContext.KubeConfig: /var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/.kube/config
STEP: Building a namespace api object
Mar 16 12:19:35.396: INFO: Waiting up to 2m0s for service account default to be provisioned in ns e2e-tests-kubectl-nty7t
Mar 16 12:19:35.400: INFO: Get service account default in ns e2e-tests-kubectl-nty7t failed, ignoring for 2s: serviceaccounts "default" not found
Mar 16 12:19:37.403: INFO: Service account default in ns e2e-tests-kubectl-nty7t with secrets found. (2.006941127s)
STEP: Waiting for a default service account to be provisioned in namespace
Mar 16 12:19:37.403: INFO: Waiting up to 2m0s for service account default to be provisioned in ns e2e-tests-kubectl-nty7t
Mar 16 12:19:37.405: INFO: Service account default in ns e2e-tests-kubectl-nty7t with secrets found. (1.965487ms)
[BeforeEach] [k8s.io] Kubectl client
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/kubectl.go:120
[BeforeEach] [k8s.io] Update Demo
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/kubectl.go:128
[It] should do a rolling update of a replication controller [Conformance]
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/kubectl.go:159
STEP: creating the initial replication controller
Mar 16 12:19:37.406: INFO: Running '/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/kubernetes/platforms/linux/amd64/kubectl --server=https://104.197.94.145 --kubeconfig=/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/.kube/config create -f /var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/kubernetes/docs/user-guide/update-demo/nautilus-rc.yaml --namespace=e2e-tests-kubectl-nty7t'
Mar 16 12:19:37.696: INFO: stderr: ""
Mar 16 12:19:37.696: INFO: stdout: "replicationcontroller \"update-demo-nautilus\" created"
STEP: waiting for all containers in name=update-demo pods to come up.
Mar 16 12:19:37.698: INFO: Running '/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/kubernetes/platforms/linux/amd64/kubectl --server=https://104.197.94.145 --kubeconfig=/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/.kube/config get pods -o template --template={{range.items}}{{.metadata.name}} {{end}} --api-version=v1 -l name=update-demo --namespace=e2e-tests-kubectl-nty7t'
Mar 16 12:19:37.935: INFO: stderr: "Flag --api-version has been deprecated, flag is no longer respected and will be deleted in the next release\n"
Mar 16 12:19:37.935: INFO: stdout: "update-demo-nautilus-kmv8c update-demo-nautilus-tnbyq"
Mar 16 12:19:37.935: INFO: Running '/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/kubernetes/platforms/linux/amd64/kubectl --server=https://104.197.94.145 --kubeconfig=/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/.kube/config get pods update-demo-nautilus-kmv8c -o template --template={{if (exists . "status" "containerStatuses")}}{{range .status.containerStatuses}}{{if (and (eq .name "update-demo") (exists . "state" "running"))}}true{{end}}{{end}}{{end}} --api-version=v1 --namespace=e2e-tests-kubectl-nty7t'
Mar 16 12:20:08.144: INFO: stdout: ""
[AfterEach] [k8s.io] Kubectl client
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/framework.go:102
STEP: Collecting events from namespace "e2e-tests-kubectl-nty7t".
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:37 -0700 PDT - event for update-demo-nautilus: {replication-controller } SuccessfulCreate: Created pod: update-demo-nautilus-kmv8c
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:37 -0700 PDT - event for update-demo-nautilus: {replication-controller } SuccessfulCreate: Created pod: update-demo-nautilus-tnbyq
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:37 -0700 PDT - event for update-demo-nautilus-kmv8c: {default-scheduler } Scheduled: Successfully assigned update-demo-nautilus-kmv8c to e2e-gce-builder-4-3-minion-or77
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:37 -0700 PDT - event for update-demo-nautilus-tnbyq: {default-scheduler } Scheduled: Successfully assigned update-demo-nautilus-tnbyq to e2e-gce-builder-4-3-minion-c7o2
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:39 -0700 PDT - event for update-demo-nautilus-kmv8c: {kubelet e2e-gce-builder-4-3-minion-or77} Pulling: pulling image "gcr.io/google_containers/update-demo:nautilus"
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:39 -0700 PDT - event for update-demo-nautilus-tnbyq: {kubelet e2e-gce-builder-4-3-minion-c7o2} Pulling: pulling image "gcr.io/google_containers/update-demo:nautilus"
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:46 -0700 PDT - event for update-demo-nautilus-kmv8c: {kubelet e2e-gce-builder-4-3-minion-or77} Pulled: Successfully pulled image "gcr.io/google_containers/update-demo:nautilus"
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:47 -0700 PDT - event for update-demo-nautilus-kmv8c: {kubelet e2e-gce-builder-4-3-minion-or77} Created: Created container with docker id d9198470bfed
Mar 16 12:20:08.151: INFO: At 2016-03-16 12:19:47 -0700 PDT - event for update-demo-nautilus-kmv8c: {kubelet e2e-gce-builder-4-3-minion-or77} Started: Started container with docker id d9198470bfed
Mar 16 12:20:08.187: INFO: POD NODE PHASE GRACE CONDITIONS
Mar 16 12:20:08.187: INFO: test-webserver-13c988b5-ebac-11e5-8c3f-42010af0000e e2e-gce-builder-4-3-minion-w0dx Running [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:00 -0700 PDT ContainersNotReady containers with unready status: [test-webserber]}]
Mar 16 12:20:08.187: INFO: client-containers-15f05ad4-ebac-11e5-8bf2-42010af0000e e2e-gce-builder-4-3-minion-tgot Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:03 -0700 PDT ContainersNotReady containers with unready status: [test-container]}]
Mar 16 12:20:08.187: INFO: test-rollover-controller-1g4h3 e2e-gce-builder-4-3-minion-tgot Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:39 -0700 PDT }]
Mar 16 12:20:08.187: INFO: test-rollover-controller-f6t0c e2e-gce-builder-4-3-minion-c7o2 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:39 -0700 PDT }]
Mar 16 12:20:08.187: INFO: test-rollover-controller-jm00e e2e-gce-builder-4-3-minion-or77 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:39 -0700 PDT }]
Mar 16 12:20:08.187: INFO: test-rollover-deployment-2446224220-7m3ri e2e-gce-builder-4-3-minion-or77 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:59 -0700 PDT ContainersNotReady containers with unready status: [redis]}]
Mar 16 12:20:08.187: INFO: test-rollover-deployment-2446224220-amzsz e2e-gce-builder-4-3-minion-0m7u Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:59 -0700 PDT ContainersNotReady containers with unready status: [redis]}]
Mar 16 12:20:08.187: INFO: test-rolling-update-deployment-2583128681-9h5sv e2e-gce-builder-4-3-minion-0m7u Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:58 -0700 PDT ContainersNotReady containers with unready status: [redis]}]
Mar 16 12:20:08.187: INFO: test-rolling-update-deployment-2583128681-py7p7 e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:05 -0700 PDT }]
Mar 16 12:20:08.187: INFO: test-rolling-update-deployment-2583128681-w3vj4 e2e-gce-builder-4-3-minion-tgot Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:58 -0700 PDT }]
Mar 16 12:20:08.187: INFO: hostexec e2e-gce-builder-4-3-minion-or77 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:05 -0700 PDT ContainersNotReady containers with unready status: [hostexec]}]
Mar 16 12:20:08.187: INFO: pod-1805b392-ebac-11e5-937d-42010af0000e e2e-gce-builder-4-3-minion-0m7u Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:07 -0700 PDT ContainersNotReady containers with unready status: [test-container]}]
Mar 16 12:20:08.187: INFO: pod-13627548-ebac-11e5-a2a6-42010af0000e e2e-gce-builder-4-3-minion-or77 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:59 -0700 PDT ContainersNotReady containers with unready status: [test-container]}]
Mar 16 12:20:08.187: INFO: scale-down-p480r e2e-gce-builder-4-3-minion-or77 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:30 -0700 PDT }]
Mar 16 12:20:08.187: INFO: scale-down-sjjfo e2e-gce-builder-4-3-minion-c7o2 Running 30s [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:31 -0700 PDT }]
Mar 16 12:20:08.187: INFO: nginx e2e-gce-builder-4-3-minion-tgot Running [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:02 -0700 PDT ContainersNotReady containers with unready status: [nginx]}]
Mar 16 12:20:08.187: INFO: redis-master-uh9yy e2e-gce-builder-4-3-minion-c7o2 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:43 -0700 PDT ContainersNotReady containers with unready status: [redis-master]}]
Mar 16 12:20:08.187: INFO: update-demo-nautilus-jvo95 e2e-gce-builder-4-3-minion-or77 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:48 -0700 PDT }]
Mar 16 12:20:08.187: INFO: nginx e2e-gce-builder-4-3-minion-c7o2 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:22 -0700 PDT ContainersNotReady containers with unready status: [nginx]}]
Mar 16 12:20:08.187: INFO: update-demo-nautilus-kmv8c e2e-gce-builder-4-3-minion-or77 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:48 -0700 PDT }]
Mar 16 12:20:08.187: INFO: update-demo-nautilus-tnbyq e2e-gce-builder-4-3-minion-c7o2 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:37 -0700 PDT ContainersNotReady containers with unready status: [update-demo]}]
Mar 16 12:20:08.187: INFO: netexec e2e-gce-builder-4-3-minion-h74l Running [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:36 -0700 PDT ContainersNotReady containers with unready status: [netexec]}]
Mar 16 12:20:08.187: INFO: nginx e2e-gce-builder-4-3-minion-tgot Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:35 -0700 PDT }]
Mar 16 12:20:08.187: INFO: liveness-exec e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:55 -0700 PDT }]
Mar 16 12:20:08.187: INFO: tester e2e-gce-builder-4-3-minion-or77 Running 30s [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:51 -0700 PDT }]
Mar 16 12:20:08.187: INFO: proxy-service-ggul8-sytl3 e2e-gce-builder-4-3-minion-c7o2 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:42 -0700 PDT ContainersNotReady containers with unready status: [proxy-service-ggul8]}]
Mar 16 12:20:08.187: INFO: my-hostname-basic-0e0c570f-ebac-11e5-87e7-42010af0000e-0klsj e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:52 -0700 PDT }]
Mar 16 12:20:08.187: INFO: my-hostname-basic-0e0c570f-ebac-11e5-87e7-42010af0000e-kauzr e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:04 -0700 PDT }]
Mar 16 12:20:08.188: INFO: mutability-test-gg1wk e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:07 -0700 PDT }]
Mar 16 12:20:08.188: INFO: hostexec e2e-gce-builder-4-3-minion-w0dx Running 30s [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:58 -0700 PDT }]
Mar 16 12:20:08.188: INFO: nodeport-test-w1ub0 e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:06 -0700 PDT }]
Mar 16 12:20:08.188: INFO: rand-non-local-11w02 e2e-gce-builder-4-3-minion-tgot Succeeded [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:04 -0700 PDT PodCompleted }]
Mar 16 12:20:08.188: INFO: rand-non-local-l2dn1 e2e-gce-builder-4-3-minion-tgot Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:07 -0700 PDT ContainersNotReady containers with unready status: [c]}]
Mar 16 12:20:08.188: INFO: rand-non-local-t2fie e2e-gce-builder-4-3-minion-0m7u Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:04 -0700 PDT ContainersNotReady containers with unready status: [c]}]
Mar 16 12:20:08.188: INFO: scale-down-z2l1p e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:24 -0700 PDT }]
Mar 16 12:20:08.188: INFO: elasticsearch-logging-v1-b650i e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:59 -0700 PDT }]
Mar 16 12:20:08.188: INFO: elasticsearch-logging-v1-q7y2f e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:18:18 -0700 PDT }]
Mar 16 12:20:08.188: INFO: etcd-server-e2e-gce-builder-4-3-master e2e-gce-builder-4-3-master Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:15:34 -0700 PDT }]
Mar 16 12:20:08.188: INFO: etcd-server-events-e2e-gce-builder-4-3-master e2e-gce-builder-4-3-master Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:15:34 -0700 PDT }]
Mar 16 12:20:08.188: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-0m7u e2e-gce-builder-4-3-minion-0m7u Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:28 -0700 PDT }]
Mar 16 12:20:08.188: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-c7o2 e2e-gce-builder-4-3-minion-c7o2 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:33 -0700 PDT }]
Mar 16 12:20:08.188: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-h74l e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:18:19 -0700 PDT }]
Mar 16 12:20:08.188: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-or77 e2e-gce-builder-4-3-minion-or77 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:48 -0700 PDT }]
Mar 16 12:20:08.188: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-tgot e2e-gce-builder-4-3-minion-tgot Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:30 -0700 PDT }]
Mar 16 12:20:08.188: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-w0dx e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:35 -0700 PDT }]
Mar 16 12:20:08.188: INFO: heapster-v1.0.0-8x00h e2e-gce-builder-4-3-minion-tgot Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:31 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kibana-logging-v1-fkofe e2e-gce-builder-4-3-minion-c7o2 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:18:08 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-apiserver-e2e-gce-builder-4-3-master e2e-gce-builder-4-3-master Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:15:53 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-controller-manager-e2e-gce-builder-4-3-master e2e-gce-builder-4-3-master Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:16:12 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-dns-v11-nqvv6 e2e-gce-builder-4-3-minion-0m7u Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:18:00 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-proxy-e2e-gce-builder-4-3-minion-0m7u e2e-gce-builder-4-3-minion-0m7u Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:02 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-proxy-e2e-gce-builder-4-3-minion-c7o2 e2e-gce-builder-4-3-minion-c7o2 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:01 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-proxy-e2e-gce-builder-4-3-minion-h74l e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:26 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-proxy-e2e-gce-builder-4-3-minion-or77 e2e-gce-builder-4-3-minion-or77 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:23 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-proxy-e2e-gce-builder-4-3-minion-tgot e2e-gce-builder-4-3-minion-tgot Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:02 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-proxy-e2e-gce-builder-4-3-minion-w0dx e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:03 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-scheduler-e2e-gce-builder-4-3-master e2e-gce-builder-4-3-master Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:15:31 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kubernetes-dashboard-v1.0.0-ienpj e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:35 -0700 PDT }]
Mar 16 12:20:08.188: INFO: l7-lb-controller-v0.6.0-25t0o e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:18:20 -0700 PDT }]
Mar 16 12:20:08.188: INFO: monitoring-influxdb-grafana-v3-su8ak e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:18:10 -0700 PDT }]
Mar 16 12:20:08.188: INFO:
Mar 16 12:20:08.196: INFO:
Logging node info for node e2e-gce-builder-4-3-master
Mar 16 12:20:08.237: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-master /api/v1/nodes/e2e-gce-builder-4-3-master 842f0834-ebab-11e5-94ab-42010af00002 1446 0 2016-03-16 12:15:59 -0700 PDT <nil> <nil> map[kubernetes.io/hostname:e2e-gce-builder-4-3-master beta.kubernetes.io/instance-type:n1-standard-2 builder-4: failure-domain.beta.kubernetes.io/region:us-central1 failure-domain.beta.kubernetes.io/zone:us-central1-f] map[]} {10.245.0.0/24 4818467139392673848 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-master true} {map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] [{OutOfDisk False 2016-03-16 12:19:59 -0700 PDT 2016-03-16 12:15:59 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:19:59 -0700 PDT 2016-03-16 12:15:59 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.2} {ExternalIP 104.197.94.145}] {{10250}} { 6F6BC8A2-D30F-E30C-AC2C-95701305F333 ef733f29-3d4b-4e97-b2c8-10cc04e0b672 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-apiserver:bb58ee65e555e6c407537c8acdd02a30] 62321994} {[gcr.io/google_containers/kube-scheduler:c2596c07dc13c13a000491d04d0d0556] 45172162} {[gcr.io/google_containers/kube-controller-manager:dc69e5ad78645929ebcb626c8ae69262] 55420482} {[gcr.io/google_containers/etcd:2.2.1] 28191895} {[gcr.io/google_containers/pause:2.0] 350164} {[gcr.io/google_containers/kube-registry-proxy:0.3] 151228508} {[gcr.io/google_containers/pause:0.8.0] 241656}]}}
Mar 16 12:20:08.237: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-master
Mar 16 12:20:08.253: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-master
Mar 16 12:20:08.315: INFO: etcd-server-events-e2e-gce-builder-4-3-master started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.315: INFO: etcd-server-e2e-gce-builder-4-3-master started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.315: INFO: kube-apiserver-e2e-gce-builder-4-3-master started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.315: INFO: kube-controller-manager-e2e-gce-builder-4-3-master started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.315: INFO: kube-scheduler-e2e-gce-builder-4-3-master started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.412: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:08.412: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 7 @[0]
Mar 16 12:20:08.412: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 10 @[0]
Mar 16 12:20:08.412: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 7 @[0]
Mar 16 12:20:08.412: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 8 @[0]
Mar 16 12:20:08.412: INFO:
Latency metrics for node e2e-gce-builder-4-3-master
Mar 16 12:20:08.412: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:22.74059s}
Mar 16 12:20:08.412: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:22.74059s}
Mar 16 12:20:08.412: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.5 Latency:15.024225s}
Mar 16 12:20:08.412: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:15.023729s}
Mar 16 12:20:08.412: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.9 Latency:15.023729s}
Mar 16 12:20:08.412: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.5 Latency:15.023037s}
Mar 16 12:20:08.412: INFO:
Logging node info for node e2e-gce-builder-4-3-minion-0m7u
Mar 16 12:20:08.416: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-minion-0m7u /api/v1/nodes/e2e-gce-builder-4-3-minion-0m7u 8d805430-ebab-11e5-94ab-42010af00002 1503 0 2016-03-16 12:16:15 -0700 PDT <nil> <nil> map[failure-domain.beta.kubernetes.io/region:us-central1 failure-domain.beta.kubernetes.io/zone:us-central1-f kubernetes.io/hostname:e2e-gce-builder-4-3-minion-0m7u beta.kubernetes.io/instance-type:n1-standard-2 builder-4:] map[]} {10.245.1.0/24 14778003829187722291 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-minion-0m7u false} {map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] [{OutOfDisk False 2016-03-16 12:20:02 -0700 PDT 2016-03-16 12:16:14 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:20:02 -0700 PDT 2016-03-16 12:17:01 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.6} {ExternalIP 104.197.180.253}] {{10250}} { 50C2CB59-7EC8-A54D-61E0-67E687C69994 4dd07954-c146-41cb-b09b-0b0edc06645f 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-proxy:3c91322614c3fbd2f5cbce55f1484f56] 165640165} {[gcr.io/google_containers/kube2sky:1.14] 27804037} {[redis:latest] 177586452} {[gcr.io/google_containers/fluentd-elasticsearch:1.15] 562043967} {[gcr.io/google_containers/etcd-amd64:2.2.1] 28192476} {[gcr.io/google_containers/skydns:2015-10-13-8c72f8c] 40551394} {[gcr.io/google_containers/pause:2.0] 350164} {[gcr.io/google_containers/exechealthz:1.0] 7099444} {[gcr.io/google_containers/jessie-dnsutils:e2e] 190148402} {[gcr.io/google_containers/dnsutils:e2e] 141895666} {[gcr.io/google_containers/pause:0.8.0] 241656} {[gcr.io/google_containers/nginx:1.7.9] 91664166} {[gcr.io/google_containers/test-webserver:e2e] 4534272}]}}
Mar 16 12:20:08.416: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-minion-0m7u
Mar 16 12:20:08.425: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-minion-0m7u
Mar 16 12:20:08.436: INFO: pod-1805b392-ebac-11e5-937d-42010af0000e started at 2016-03-16 12:20:07 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.436: INFO: Container test-container ready: false, restart count 0
Mar 16 12:20:08.436: INFO: test-rollover-deployment-2446224220-amzsz started at 2016-03-16 12:19:59 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.436: INFO: Container redis ready: false, restart count 0
Mar 16 12:20:08.436: INFO: rand-non-local-t2fie started at 2016-03-16 12:20:04 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.436: INFO: Container c ready: false, restart count 0
Mar 16 12:20:08.436: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-0m7u started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.436: INFO: kube-proxy-e2e-gce-builder-4-3-minion-0m7u started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.436: INFO: kube-dns-v11-nqvv6 started at 2016-03-16 12:17:20 -0700 PDT (4 container statuses recorded)
Mar 16 12:20:08.436: INFO: Container etcd ready: true, restart count 0
Mar 16 12:20:08.436: INFO: Container healthz ready: true, restart count 0
Mar 16 12:20:08.436: INFO: Container kube2sky ready: true, restart count 0
Mar 16 12:20:08.436: INFO: Container skydns ready: true, restart count 0
Mar 16 12:20:08.436: INFO: test-rolling-update-deployment-2583128681-9h5sv started at 2016-03-16 12:19:58 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.436: INFO: Container redis ready: false, restart count 0
Mar 16 12:20:08.608: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:08.608: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 17 @[0]
Mar 16 12:20:08.608: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 33 @[0]
Mar 16 12:20:08.608: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 6 @[0]
Mar 16 12:20:08.608: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 12 @[0]
Mar 16 12:20:08.608: INFO:
Latency metrics for node e2e-gce-builder-4-3-minion-0m7u
Mar 16 12:20:08.608: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:41.109471s}
Mar 16 12:20:08.608: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:40.00967s}
Mar 16 12:20:08.608: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:40.009561s}
Mar 16 12:20:08.608: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.99 Latency:25.179163s}
Mar 16 12:20:08.608: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.9 Latency:25.075069s}
Mar 16 12:20:08.608: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.99 Latency:25.075069s}
Mar 16 12:20:08.608: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.99 Latency:25.067876s}
Mar 16 12:20:08.608: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.99 Latency:24.058246s}
Mar 16 12:20:08.608: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.9 Latency:15.41202s}
Mar 16 12:20:08.608: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.9 Latency:14.964465s}
Mar 16 12:20:08.608: INFO:
Logging node info for node e2e-gce-builder-4-3-minion-c7o2
Mar 16 12:20:08.611: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-minion-c7o2 /api/v1/nodes/e2e-gce-builder-4-3-minion-c7o2 8cdc007b-ebab-11e5-94ab-42010af00002 1491 0 2016-03-16 12:16:13 -0700 PDT <nil> <nil> map[failure-domain.beta.kubernetes.io/region:us-central1 failure-domain.beta.kubernetes.io/zone:us-central1-f kubernetes.io/hostname:e2e-gce-builder-4-3-minion-c7o2 beta.kubernetes.io/instance-type:n1-standard-2 builder-4:] map[]} {10.245.2.0/24 15451494475836778689 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-minion-c7o2 false} {map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] map[memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI} cpu:{2.000 DecimalSI}] [{OutOfDisk False 2016-03-16 12:20:01 -0700 PDT 2016-03-16 12:16:13 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:20:01 -0700 PDT 2016-03-16 12:17:00 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.5} {ExternalIP 146.148.98.116}] {{10250}} { D6EA2312-131B-13F5-8A69-340B5D38A03D 9186ea0d-2630-4267-a68b-0625b9e79c63 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-proxy:3c91322614c3fbd2f5cbce55f1484f56] 165640165} {[<none>:<none>] 125110803} {[gcr.io/google_containers/fluentd-elasticsearch:1.15] 562043967} {[gcr.io/google_containers/busybox:1.24] 1113554} {[gcr.io/google_containers/mounttest-user:0.3] 1718853} {[gcr.io/google_containers/mounttest:0.5] 1718853} {[gcr.io/google_containers/pause:2.0] 350164} {[<none>:<none>] 569} {[gcr.io/google_containers/kibana:1.3] 396897764} {[gcr.io/google_containers/pause:0.8.0] 241656} {[gcr.io/google_containers/serve_hostname:1.1] 4522409} {[<none>:<none>] 188300556} {[gcr.io/google_containers/nginx:1.7.9] 91664166} {[<none>:<none>] 4534272}]}}
Mar 16 12:20:08.612: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-minion-c7o2
Mar 16 12:20:08.630: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-minion-c7o2
Mar 16 12:20:08.682: INFO: scale-down-sjjfo started at 2016-03-16 12:19:28 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container c ready: true, restart count 0
Mar 16 12:20:08.682: INFO: proxy-service-ggul8-sytl3 started at 2016-03-16 12:19:42 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container proxy-service-ggul8 ready: false, restart count 0
Mar 16 12:20:08.682: INFO: test-rollover-controller-f6t0c started at 2016-03-16 12:19:35 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container nginx ready: true, restart count 0
Mar 16 12:20:08.682: INFO: update-demo-nautilus-z816h started at 2016-03-16 12:20:08 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container update-demo ready: false, restart count 0
Mar 16 12:20:08.682: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-c7o2 started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.682: INFO: kube-proxy-e2e-gce-builder-4-3-minion-c7o2 started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.682: INFO: kibana-logging-v1-fkofe started at 2016-03-16 12:17:19 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container kibana-logging ready: true, restart count 1
Mar 16 12:20:08.682: INFO: update-demo-nautilus-tnbyq started at 2016-03-16 12:19:37 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container update-demo ready: false, restart count 0
Mar 16 12:20:08.682: INFO: redis-master-uh9yy started at 2016-03-16 12:19:43 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container redis-master ready: false, restart count 0
Mar 16 12:20:08.682: INFO: nginx started at 2016-03-16 12:19:22 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container nginx ready: false, restart count 0
Mar 16 12:20:09.227: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:09.228: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 15 @[0]
Mar 16 12:20:09.228: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 32 @[0]
Mar 16 12:20:09.228: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 6 @[0]
Mar 16 12:20:09.228: INFO: ERROR kubelet_docker_errors{operation_type="stop_container"} => 4 @[0]
Mar 16 12:20:09.228: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 12 @[0]
Mar 16 12:20:09.228: INFO:
Latency metrics for node e2e-gce-builder-4-3-minion-c7o2
Mar 16 12:20:09.228: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:41.159592s}
Mar 16 12:20:09.228: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:40.012318s}
Mar 16 12:20:09.228: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:40.012204s}
Mar 16 12:20:09.228: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.9 Latency:32.814857s}
Mar 16 12:20:09.228: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.99 Latency:32.814857s}
Mar 16 12:20:09.228: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.99 Latency:32.778882s}
Mar 16 12:20:09.228: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.99 Latency:31.69445s}
Mar 16 12:20:09.228: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.99 Latency:31.345439s}
Mar 16 12:20:09.228: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.9 Latency:31.345439s}
Mar 16 12:20:09.228: INFO:
Logging node info for node e2e-gce-builder-4-3-minion-h74l
Mar 16 12:20:09.233: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-minion-h74l /api/v1/nodes/e2e-gce-builder-4-3-minion-h74l 95e4ee91-ebab-11e5-94ab-42010af00002 1615 0 2016-03-16 12:16:29 -0700 PDT <nil> <nil> map[builder-4: failure-domain.beta.kubernetes.io/region:us-central1 failure-domain.beta.kubernetes.io/zone:us-central1-f kubernetes.io/hostname:e2e-gce-builder-4-3-minion-h74l beta.kubernetes.io/instance-type:n1-standard-2] map[]} {10.245.5.0/24 13922910527554352375 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-minion-h74l false} {map[memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI} cpu:{2.000 DecimalSI}] map[pods:{110.000 DecimalSI} cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI}] [{OutOfDisk False 2016-03-16 12:20:08 -0700 PDT 2016-03-16 12:16:29 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:20:08 -0700 PDT 2016-03-16 12:17:17 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.3} {ExternalIP 104.197.85.60}] {{10250}} { C1B91124-0F14-312B-8627-BAB00828A5C6 dc807e14-ad07-4cef-b802-32f3c8c4d08b 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-proxy:3c91322614c3fbd2f5cbce55f1484f56] 165640165} {[gcr.io/google_containers/glbc:0.6.0] 229770249} {[gcr.io/google_containers/netexec:1.5] 7358440} {[gcr.io/google_containers/fluentd-elasticsearch:1.15] 562043967} {[gcr.io/google_containers/netexec:1.4] 7297019} {[gcr.io/google_containers/elasticsearch:1.8] 410989305} {[gcr.io/google_containers/defaultbackend:1.0] 7513643} {[gcr.io/google_containers/pause:2.0] 350164} {[gcr.io/google_containers/mounttest:0.2] 1752375} {[gcr.io/google_containers/pause:0.8.0] 241656} {[gcr.io/google_containers/serve_hostname:1.1] 4522409} {[gcr.io/google_containers/redis:e2e] 419003740} {[gcr.io/google_containers/nginx:1.7.9] 91664166}]}}
Mar 16 12:20:09.233: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-minion-h74l
Mar 16 12:20:09.241: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-minion-h74l
Mar 16 12:20:09.280: INFO: mutability-test-gg1wk started at 2016-03-16 12:19:55 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.280: INFO: Container netexec ready: true, restart count 0
Mar 16 12:20:09.280: INFO: kube-proxy-e2e-gce-builder-4-3-minion-h74l started at <nil> (0 container statuses recorded)
Mar 16 12:20:09.280: INFO: elasticsearch-logging-v1-q7y2f started at 2016-03-16 12:17:19 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.280: INFO: Container elasticsearch-logging ready: true, restart count 0
Mar 16 12:20:09.280: INFO: l7-lb-controller-v0.6.0-25t0o started at 2016-03-16 12:17:19 -0700 PDT (2 container statuses recorded)
Mar 16 12:20:09.280: INFO: Container default-http-backend ready: true, restart count 0
Mar 16 12:20:09.280: INFO: Container l7-lb-controller ready: true, restart count 0
Mar 16 12:20:09.280: INFO: nodeport-test-w1ub0 started at 2016-03-16 12:19:42 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.280: INFO: Container netexec ready: true, restart count 0
Mar 16 12:20:09.280: INFO: netexec started at 2016-03-16 12:19:36 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.280: INFO: Container netexec ready: false, restart count 0
Mar 16 12:20:09.280: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-h74l started at <nil> (0 container statuses recorded)
Mar 16 12:20:09.281: INFO: test-rolling-update-deployment-2583128681-py7p7 started at 2016-03-16 12:19:33 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.281: INFO: Container redis ready: true, restart count 0
Mar 16 12:20:09.281: INFO: my-hostname-basic-0e0c570f-ebac-11e5-87e7-42010af0000e-kauzr started at 2016-03-16 12:19:50 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.281: INFO: Container my-hostname-basic-0e0c570f-ebac-11e5-87e7-42010af0000e ready: true, restart count 0
Mar 16 12:20:09.466: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:09.466: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 19 @[0]
Mar 16 12:20:09.466: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 32 @[0]
Mar 16 12:20:09.466: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 6 @[0]
Mar 16 12:20:09.466: INFO: ERROR kubelet_docker_errors{operation_type="stop_container"} => 3 @[0]
Mar 16 12:20:09.466: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 12 @[0]
Mar 16 12:20:09.466: INFO:
Latency metrics for node e2e-gce-builder-4-3-minion-h74l
Mar 16 12:20:09.466: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:1m0.155039s}
Mar 16 12:20:09.466: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.99 Latency:59.763067s}
Mar 16 12:20:09.466: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.99 Latency:59.753069s}
Mar 16 12:20:09.466: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.9 Latency:58.186227s}
Mar 16 12:20:09.466: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.99 Latency:52.536215s}
Mar 16 12:20:09.466: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.99 Latency:51.25003s}
Mar 16 12:20:09.466: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:40.015213s}
Mar 16 12:20:09.466: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:40.013567s}
Mar 16 12:20:09.466: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.9 Latency:30.85301s}
Mar 16 12:20:09.466: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.9 Latency:22.33817s}
Mar 16 12:20:09.466: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.9 Latency:21.679325s}
Mar 16 12:20:09.466: INFO:
Logging node info for node e2e-gce-builder-4-3-minion-or77
Mar 16 12:20:09.470: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-minion-or77 /api/v1/nodes/e2e-gce-builder-4-3-minion-or77 99d77966-ebab-11e5-94ab-42010af00002 1534 0 2016-03-16 12:16:35 -0700 PDT <nil> <nil> map[failure-domain.beta.kubernetes.io/zone:us-central1-f kubernetes.io/hostname:e2e-gce-builder-4-3-minion-or77 beta.kubernetes.io/instance-type:n1-standard-2 builder-4: failure-domain.beta.kubernetes.io/region:us-central1] map[]} {10.245.6.0/24 12060484192874722186 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-minion-or77 false} {map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] map[memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI} cpu:{2.000 DecimalSI}] [{OutOfDisk False 2016-03-16 12:20:04 -0700 PDT 2016-03-16 12:16:35 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:20:04 -0700 PDT 2016-03-16 12:17:22 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.8} {ExternalIP 23.251.156.211}] {{10250}} { 684B0FA3-F92B-629A-26D4-0F3041A363DE c2f2107e-002a-4791-8373-768447b23096 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-proxy:3c91322614c3fbd2f5cbce55f1484f56] 165640165} {[redis:latest] 177586452} {[gcr.io/google_containers/fluentd-elasticsearch:1.15] 562043967} {[gcr.io/google_containers/nettest:1.7] 24051275} {[gcr.io/google_containers/busybox:1.24] 1113554} {[gcr.io/google_containers/pause:2.0] 350164} {[gcr.io/google_containers/portforwardtester:1.0] 2296329} {[gcr.io/google_containers/pause:0.8.0] 241656} {[<none>:<none>] 188300556} {[gcr.io/google_containers/update-demo:nautilus] 4555533} {[gcr.io/google_containers/nginx:1.7.9] 91664166}]}}
Mar 16 12:20:09.470: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-minion-or77
Mar 16 12:20:09.480: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-minion-or77
Mar 16 12:20:09.529: INFO: kube-proxy-e2e-gce-builder-4-3-minion-or77 started at <nil> (0 container statuses recorded)
Mar 16 12:20:09.529: INFO: pod-13627548-ebac-11e5-a2a6-42010af0000e started at 2016-03-16 12:19:59 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container test-container ready: false, restart count 0
Mar 16 12:20:09.529: INFO: update-demo-nautilus-kmv8c started at 2016-03-16 12:19:37 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container update-demo ready: true, restart count 0
Mar 16 12:20:09.529: INFO: test-rollover-deployment-2446224220-7m3ri started at 2016-03-16 12:19:59 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container redis ready: true, restart count 0
Mar 16 12:20:09.529: INFO: hostexec started at 2016-03-16 12:20:05 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container hostexec ready: true, restart count 0
Mar 16 12:20:09.529: INFO: test-rollover-controller-jm00e started at 2016-03-16 12:19:35 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container nginx ready: true, restart count 0
Mar 16 12:20:09.529: INFO: update-demo-nautilus-jvo95 started at 2016-03-16 12:19:36 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container update-demo ready: true, restart count 0
Mar 16 12:20:09.529: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-or77 started at <nil> (0 container statuses recorded)
Mar 16 12:20:09.529: INFO: mutability-test-y4nt5 started at 2016-03-16 12:20:09 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container netexec ready: false, restart count 0
Mar 16 12:20:09.529: INFO: tester started at 2016-03-16 12:19:49 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container tester ready: true, restart count 0
Mar 16 12:20:09.529: INFO: scale-down-p480r started at 2016-03-16 12:19:28 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container c ready: true, restart count 0
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 16 @[0]
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 32 @[0]
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 6 @[0]
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="logs"} => 1 @[0]
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="stop_container"} => 3 @[0]
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 12 @[0]
Mar 16 12:20:09.768: INFO:
Latency metrics for node e2e-gce-builder-4-3-minion-or77
Mar 16 12:20:09.768: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:41.412811s}
Mar 16 12:20:09.768: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:40.017814s}
Mar 16 12:20:09.768: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:26.177674s}
Mar 16 12:20:09.768: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.99 Latency:25.654324s}
Mar 16 12:20:09.768: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.99 Latency:25.075843s}
Mar 16 12:20:09.768: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.99 Latency:24.521367s}
Mar 16 12:20:09.768: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.99 Latency:24.317074s}
Mar 16 12:20:09.768: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.9 Latency:23.343841s}
Mar 16 12:20:09.768: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.9 Latency:11.983074s}
Mar 16 12:20:09.768: INFO:
Logging node info for node e2e-gce-builder-4-3-minion-tgot
Mar 16 12:20:09.772: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-minion-tgot /api/v1/nodes/e2e-gce-builder-4-3-minion-tgot 8d77529d-ebab-11e5-94ab-42010af00002 1501 0 2016-03-16 12:16:15 -0700 PDT <nil> <nil> map[kubernetes.io/hostname:e2e-gce-builder-4-3-minion-tgot beta.kubernetes.io/instance-type:n1-standard-2 builder-4: failure-domain.beta.kubernetes.io/region:us-central1 failure-domain.beta.kubernetes.io/zone:us-central1-f] map[]} {10.245.3.0/24 7315069135013650812 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-minion-tgot false} {map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] [{OutOfDisk False 2016-03-16 12:20:02 -0700 PDT 2016-03-16 12:16:14 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:20:02 -0700 PDT 2016-03-16 12:17:01 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.4} {ExternalIP 104.197.211.215}] {{10250}} { 7F61EE4D-A146-0F54-23B9-11467DF53A75 9e9e8c1e-64e7-4b39-9a44-daceb629f065 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-proxy:3c91322614c3fbd2f5cbce55f1484f56] 165640165} {[gcr.io/google_containers/heapster:v1.0.0] 96204288} {[gcr.io/google_containers/fluentd-elasticsearch:1.15] 562043967} {[gcr.io/google_containers/busybox:1.24] 1113554} {[gcr.io/google_containers/mounttest:0.6] 2084693} {[gcr.io/google_containers/mounttest-user:0.3] 1718853} {[gcr.io/google_containers/pause:2.0] 350164} {[gcr.io/google_containers/pause:0.8.0] 241656} {[gcr.io/google_containers/redis:e2e] 419003740} {[gcr.io/google_containers/update-demo:nautilus] 4555533} {[gcr.io/google_containers/nginx:1.7.9] 91664166} {[gcr.io/google_containers/liveness:e2e] 4387474}]}}
Mar 16 12:20:09.773: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-minion-tgot
Mar 16 12:20:09.782: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-minion-tgot
Mar 16 12:20:09.818: INFO: client-containers-15f05ad4-ebac-11e5-8bf2-42010af0000e started at 2016-03-16 12:20:03 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.818: INFO: Container test-container ready: false, restart count 0
Mar 16 12:20:09.818: INFO: test-rollover-controller-1g4h3 started at 2016-03-16 12:19:35 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.818: INFO: Container nginx ready: true, restart count 0
Mar 16 12:20:09.818: INFO: rand-non-local-11w02 started at 2016-03-16 12:20:04 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.819: INFO: Container c ready: false, restart count 0
Mar 16 12:20:09.819: INFO: rand-non-local-l2dn1 started at 2016-03-16 12:20:07 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.819: INFO: Container c ready: false, restart count 0
Mar 16 12:20:09.819: INFO: rand-non-local-aox3b started at 2016-03-16 12:20:09 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.819: INFO: Container c ready: false, restart count 0
Mar 16 12:20:09.819: INFO: kube-proxy-e2e-gce-builder-4-3-minion-tgot started at <nil> (0 container statuses recorded)
Mar 16 12:20:09.819: INFO: heapster-v1.0.0-8x00h started at 2016-03-16 12:17:19 -0700 PDT (2 container statuses recorded)
Mar 16 12:20:09.819: INFO: Container eventer ready: true, restart count 0
Mar 16 12:20:09.819: INFO: Container heapster ready: true, restart count 0
Mar 16 12:20:09.819: INFO: nginx started at 2016-03-16 12:20:02 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.819: INFO: Container nginx ready: false, restart count 0
Mar 16 12:20:09.819: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-tgot started at <nil> (0 container statuses recorded)
Mar 16 12:20:09.819: INFO: nginx started at 2016-03-16 12:19:28 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.819: INFO: Container nginx ready: true, restart count 0
Mar 16 12:20:10.074: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:10.074: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 14 @[0]
Mar 16 12:20:10.074: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 32 @[0]
Mar 16 12:20:10.074: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 6 @[0]
Mar 16 12:20:10.074: INFO: ERROR kubelet_docker_errors{operation_type="stop_container"} => 8 @[0]
Mar 16 12:20:10.074: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 12 @[0]
Mar 16 12:20:10.074: INFO:
Latency metrics for node e2e-gce-builder-4-3-minion-tgot
Mar 16 12:20:10.074: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:41.259114s}
Mar 16 12:20:10.074: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:40.013844s}
Mar 16 12:20:10.074: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:40.013689s}
Mar 16 12:20:10.074: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.99 Latency:24.479953s}
Mar 16 12:20:10.074: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.99 Latency:24.45393s}
Mar 16 12:20:10.074: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.99 Latency:24.435067s}
Mar 16 12:20:10.074: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.99 Latency:23.744054s}
Mar 16 12:20:10.074: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.9 Latency:21.581525s}
Mar 16 12:20:10.074: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.9 Latency:19.432044s}
Mar 16 12:20:10.074: INFO:
Logging node info for node e2e-gce-builder-4-3-minion-w0dx
Mar 16 12:20:10.082: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-minion-w0dx /api/v1/nodes/e2e-gce-builder-4-3-minion-w0dx 8e5b8285-ebab-11e5-94ab-42010af00002 1511 0 2016-03-16 12:16:16 -0700 PDT <nil> <nil> map[beta.kubernetes.io/instance-type:n1-standard-2 builder-4: failure-domain.beta.kubernetes.io/region:us-central1 failure-domain.beta.kubernetes.io/zone:us-central1-f kubernetes.io/hostname:e2e-gce-builder-4-3-minion-w0dx] map[]} {10.245.4.0/24 6267779568652324074 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-minion-w0dx false} {map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] map[memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI} cpu:{2.000 DecimalSI}] [{OutOfDisk False 2016-03-16 12:20:03 -0700 PDT 2016-03-16 12:16:16 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:20:03 -0700 PDT 2016-03-16 12:17:01 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.7} {ExternalIP 146.148.97.148}] {{10250}} { 2932BDE0-F4C9-9E4D-3A67-28A296BA1D30 4bcacbeb-a408-42d4-a288-2f6fe40d3345 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-proxy:3c91322614c3fbd2f5cbce55f1484f56] 165640165} {[gcr.io/google_containers/kubernetes-dashboard-amd64:v1.0.0] 40688848} {[gcr.io/google_containers/heapster_grafana:v2.6.0-2] 230092866} {[gcr.io/google_containers/fluentd-elasticsearch:1.15] 562043967} {[gcr.io/google_containers/busybox:1.24] 1113554} {[gcr.io/google_containers/elasticsearch:1.8] 410989305} {[gcr.io/google_containers/mounttest:0.6] 2084693} {[gcr.io/google_containers/hostexec:1.2] 13209617} {[gcr.io/google_containers/pause:2.0] 350164} {[gcr.io/google_containers/heapster_influxdb:v0.5] 251005705} {[gcr.io/google_containers/jessie-dnsutils:e2e] 190148402} {[gcr.io/google_containers/dnsutils:e2e] 141895666} {[gcr.io/google_containers/pause:0.8.0] 241656} {[gcr.io/google_containers/serve_hostname:1.1] 4522409} {[gcr.io/google_containers/nginx:1.7.9] 91664166} {[gcr.io/google_containers/test-webserver:e2e] 4534272}]}}
Mar 16 12:20:10.082: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-minion-w0dx
Mar 16 12:20:10.090: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-minion-w0dx
Mar 16 12:20:10.134: INFO: monitoring-influxdb-grafana-v3-su8ak started at 2016-03-16 12:17:19 -0700 PDT (2 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container grafana ready: true, restart count 0
Mar 16 12:20:10.135: INFO: Container influxdb ready: true, restart count 0
Mar 16 12:20:10.135: INFO: scale-down-z2l1p started at 2016-03-16 12:19:21 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container c ready: true, restart count 0
Mar 16 12:20:10.135: INFO: my-hostname-basic-0e0c570f-ebac-11e5-87e7-42010af0000e-0klsj started at 2016-03-16 12:19:50 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container my-hostname-basic-0e0c570f-ebac-11e5-87e7-42010af0000e ready: true, restart count 0
Mar 16 12:20:10.135: INFO: liveness-exec started at 2016-03-16 12:19:54 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container liveness ready: true, restart count 0
Mar 16 12:20:10.135: INFO: kube-proxy-e2e-gce-builder-4-3-minion-w0dx started at <nil> (0 container statuses recorded)
Mar 16 12:20:10.135: INFO: kubernetes-dashboard-v1.0.0-ienpj started at 2016-03-16 12:17:19 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container kubernetes-dashboard ready: true, restart count 0
Mar 16 12:20:10.135: INFO: test-webserver-13c988b5-ebac-11e5-8c3f-42010af0000e started at 2016-03-16 12:20:00 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container test-webserber ready: false, restart count 0
Mar 16 12:20:10.135: INFO: hostexec started at 2016-03-16 12:19:56 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container hostexec ready: true, restart count 0
Mar 16 12:20:10.135: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-w0dx started at <nil> (0 container statuses recorded)
Mar 16 12:20:10.135: INFO: elasticsearch-logging-v1-b650i started at 2016-03-16 12:17:19 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container elasticsearch-logging ready: true, restart count 0
Mar 16 12:20:10.356: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:10.356: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 16 @[0]
Mar 16 12:20:10.357: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 32 @[0]
Mar 16 12:20:10.357: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 6 @[0]
Mar 16 12:20:10.357: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 12 @[0]
Mar 16 12:20:10.357: INFO:
Latency metrics for node e2e-gce-builder-4-3-minion-w0dx
Mar 16 12:20:10.357: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:50.286722s}
Mar 16 12:20:10.357: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:40.136159s}
Mar 16 12:20:10.357: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:40.013843s}
Mar 16 12:20:10.357: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.99 Latency:39.54455s}
Mar 16 12:20:10.357: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.99 Latency:39.537679s}
Mar 16 12:20:10.357: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.99 Latency:35.942497s}
Mar 16 12:20:10.357: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.9 Latency:34.291256s}
Mar 16 12:20:10.357: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.99 Latency:33.107967s}
Mar 16 12:20:10.357: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.9 Latency:32.442493s}
Mar 16 12:20:10.357: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.9 Latency:12.614231s}
Mar 16 12:20:10.357: INFO: Waiting up to 1m0s for all nodes to be ready
STEP: Destroying namespace "e2e-tests-kubectl-nty7t" for this suite.
• Failure [74.999 seconds]
[k8s.io] Kubectl client
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/framework.go:420
[k8s.io] Update Demo
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/framework.go:420
should do a rolling update of a replication controller [Conformance] [It]
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/kubectl.go:159
Expected error:
<*errors.errorString | 0xc2085a1860>: {
s: "Error running &{/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/kubernetes/platforms/linux/amd64/kubectl [kubectl --server=https://104.197.94.145 --kubeconfig=/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/.kube/config get pods update-demo-nautilus-kmv8c -o template --template={{if (exists . \"status\" \"containerStatuses\")}}{{range .status.containerStatuses}}{{if (and (eq .name \"update-demo\") (exists . \"state\" \"running\"))}}true{{end}}{{end}}{{end}} --api-version=v1 --namespace=e2e-tests-kubectl-nty7t] [] <nil> Flag --api-version has been deprecated, flag is no longer respected and will be deleted in the next release\nUnable to connect to the server: dial tcp 104.197.94.145:443: i/o timeout\n [] <nil> 0xc208572f00 exit status 1 <nil> true [0xc2083c43c0 0xc2083c43e0 0xc2083c4408] [0xc2083c43c0 0xc2083c43e0 0xc2083c4408] [0xc2083c43d8 0xc2083c4400] [0x962b80 0x962b80] 0xc208487800}:\nCommand stdout:\n\nstderr:\nFlag --api-version has been deprecated, flag is no longer respected and will be deleted in the next release\nUnable to connect to the server: dial tcp 104.197.94.145:443: i/o timeout\n\nerror:\nexit status 1\n",
}
Error running &{/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/kubernetes/platforms/linux/amd64/kubectl [kubectl --server=https://104.197.94.145 --kubeconfig=/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/.kube/config get pods update-demo-nautilus-kmv8c -o template --template={{if (exists . "status" "containerStatuses")}}{{range .status.containerStatuses}}{{if (and (eq .name "update-demo") (exists . "state" "running"))}}true{{end}}{{end}}{{end}} --api-version=v1 --namespace=e2e-tests-kubectl-nty7t] [] <nil> Flag --api-version has been deprecated, flag is no longer respected and will be deleted in the next release
Unable to connect to the server: dial tcp 104.197.94.145:443: i/o timeout
[] <nil> 0xc208572f00 exit status 1 <nil> true [0xc2083c43c0 0xc2083c43e0 0xc2083c4408] [0xc2083c43c0 0xc2083c43e0 0xc2083c4408] [0xc2083c43d8 0xc2083c4400] [0x962b80 0x962b80] 0xc208487800}:
Command stdout:
stderr:
Flag --api-version has been deprecated, flag is no longer respected and will be deleted in the next release
Unable to connect to the server: dial tcp 104.197.94.145:443: i/o timeout
error:
exit status 1
not to have occurred
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/util.go:1591"><pre class="notranslate"><code class="notranslate">[BeforeEach] [k8s.io] Kubectl client
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/framework.go:101
STEP: Creating a kubernetes client
Mar 16 12:19:35.383: INFO: >>> testContext.KubeConfig: /var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/.kube/config
STEP: Building a namespace api object
Mar 16 12:19:35.396: INFO: Waiting up to 2m0s for service account default to be provisioned in ns e2e-tests-kubectl-nty7t
Mar 16 12:19:35.400: INFO: Get service account default in ns e2e-tests-kubectl-nty7t failed, ignoring for 2s: serviceaccounts "default" not found
Mar 16 12:19:37.403: INFO: Service account default in ns e2e-tests-kubectl-nty7t with secrets found. (2.006941127s)
STEP: Waiting for a default service account to be provisioned in namespace
Mar 16 12:19:37.403: INFO: Waiting up to 2m0s for service account default to be provisioned in ns e2e-tests-kubectl-nty7t
Mar 16 12:19:37.405: INFO: Service account default in ns e2e-tests-kubectl-nty7t with secrets found. (1.965487ms)
[BeforeEach] [k8s.io] Kubectl client
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/kubectl.go:120
[BeforeEach] [k8s.io] Update Demo
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/kubectl.go:128
[It] should do a rolling update of a replication controller [Conformance]
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/kubectl.go:159
STEP: creating the initial replication controller
Mar 16 12:19:37.406: INFO: Running '/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/kubernetes/platforms/linux/amd64/kubectl --server=https://104.197.94.145 --kubeconfig=/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/.kube/config create -f /var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/kubernetes/docs/user-guide/update-demo/nautilus-rc.yaml --namespace=e2e-tests-kubectl-nty7t'
Mar 16 12:19:37.696: INFO: stderr: ""
Mar 16 12:19:37.696: INFO: stdout: "replicationcontroller \"update-demo-nautilus\" created"
STEP: waiting for all containers in name=update-demo pods to come up.
Mar 16 12:19:37.698: INFO: Running '/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/kubernetes/platforms/linux/amd64/kubectl --server=https://104.197.94.145 --kubeconfig=/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/.kube/config get pods -o template --template={{range.items}}{{.metadata.name}} {{end}} --api-version=v1 -l name=update-demo --namespace=e2e-tests-kubectl-nty7t'
Mar 16 12:19:37.935: INFO: stderr: "Flag --api-version has been deprecated, flag is no longer respected and will be deleted in the next release\n"
Mar 16 12:19:37.935: INFO: stdout: "update-demo-nautilus-kmv8c update-demo-nautilus-tnbyq"
Mar 16 12:19:37.935: INFO: Running '/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/kubernetes/platforms/linux/amd64/kubectl --server=https://104.197.94.145 --kubeconfig=/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/.kube/config get pods update-demo-nautilus-kmv8c -o template --template={{if (exists . "status" "containerStatuses")}}{{range .status.containerStatuses}}{{if (and (eq .name "update-demo") (exists . "state" "running"))}}true{{end}}{{end}}{{end}} --api-version=v1 --namespace=e2e-tests-kubectl-nty7t'
Mar 16 12:20:08.144: INFO: stdout: ""
[AfterEach] [k8s.io] Kubectl client
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/framework.go:102
STEP: Collecting events from namespace "e2e-tests-kubectl-nty7t".
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:37 -0700 PDT - event for update-demo-nautilus: {replication-controller } SuccessfulCreate: Created pod: update-demo-nautilus-kmv8c
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:37 -0700 PDT - event for update-demo-nautilus: {replication-controller } SuccessfulCreate: Created pod: update-demo-nautilus-tnbyq
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:37 -0700 PDT - event for update-demo-nautilus-kmv8c: {default-scheduler } Scheduled: Successfully assigned update-demo-nautilus-kmv8c to e2e-gce-builder-4-3-minion-or77
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:37 -0700 PDT - event for update-demo-nautilus-tnbyq: {default-scheduler } Scheduled: Successfully assigned update-demo-nautilus-tnbyq to e2e-gce-builder-4-3-minion-c7o2
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:39 -0700 PDT - event for update-demo-nautilus-kmv8c: {kubelet e2e-gce-builder-4-3-minion-or77} Pulling: pulling image "gcr.io/google_containers/update-demo:nautilus"
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:39 -0700 PDT - event for update-demo-nautilus-tnbyq: {kubelet e2e-gce-builder-4-3-minion-c7o2} Pulling: pulling image "gcr.io/google_containers/update-demo:nautilus"
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:46 -0700 PDT - event for update-demo-nautilus-kmv8c: {kubelet e2e-gce-builder-4-3-minion-or77} Pulled: Successfully pulled image "gcr.io/google_containers/update-demo:nautilus"
Mar 16 12:20:08.150: INFO: At 2016-03-16 12:19:47 -0700 PDT - event for update-demo-nautilus-kmv8c: {kubelet e2e-gce-builder-4-3-minion-or77} Created: Created container with docker id d9198470bfed
Mar 16 12:20:08.151: INFO: At 2016-03-16 12:19:47 -0700 PDT - event for update-demo-nautilus-kmv8c: {kubelet e2e-gce-builder-4-3-minion-or77} Started: Started container with docker id d9198470bfed
Mar 16 12:20:08.187: INFO: POD NODE PHASE GRACE CONDITIONS
Mar 16 12:20:08.187: INFO: test-webserver-13c988b5-ebac-11e5-8c3f-42010af0000e e2e-gce-builder-4-3-minion-w0dx Running [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:00 -0700 PDT ContainersNotReady containers with unready status: [test-webserber]}]
Mar 16 12:20:08.187: INFO: client-containers-15f05ad4-ebac-11e5-8bf2-42010af0000e e2e-gce-builder-4-3-minion-tgot Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:03 -0700 PDT ContainersNotReady containers with unready status: [test-container]}]
Mar 16 12:20:08.187: INFO: test-rollover-controller-1g4h3 e2e-gce-builder-4-3-minion-tgot Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:39 -0700 PDT }]
Mar 16 12:20:08.187: INFO: test-rollover-controller-f6t0c e2e-gce-builder-4-3-minion-c7o2 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:39 -0700 PDT }]
Mar 16 12:20:08.187: INFO: test-rollover-controller-jm00e e2e-gce-builder-4-3-minion-or77 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:39 -0700 PDT }]
Mar 16 12:20:08.187: INFO: test-rollover-deployment-2446224220-7m3ri e2e-gce-builder-4-3-minion-or77 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:59 -0700 PDT ContainersNotReady containers with unready status: [redis]}]
Mar 16 12:20:08.187: INFO: test-rollover-deployment-2446224220-amzsz e2e-gce-builder-4-3-minion-0m7u Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:59 -0700 PDT ContainersNotReady containers with unready status: [redis]}]
Mar 16 12:20:08.187: INFO: test-rolling-update-deployment-2583128681-9h5sv e2e-gce-builder-4-3-minion-0m7u Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:58 -0700 PDT ContainersNotReady containers with unready status: [redis]}]
Mar 16 12:20:08.187: INFO: test-rolling-update-deployment-2583128681-py7p7 e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:05 -0700 PDT }]
Mar 16 12:20:08.187: INFO: test-rolling-update-deployment-2583128681-w3vj4 e2e-gce-builder-4-3-minion-tgot Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:58 -0700 PDT }]
Mar 16 12:20:08.187: INFO: hostexec e2e-gce-builder-4-3-minion-or77 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:05 -0700 PDT ContainersNotReady containers with unready status: [hostexec]}]
Mar 16 12:20:08.187: INFO: pod-1805b392-ebac-11e5-937d-42010af0000e e2e-gce-builder-4-3-minion-0m7u Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:07 -0700 PDT ContainersNotReady containers with unready status: [test-container]}]
Mar 16 12:20:08.187: INFO: pod-13627548-ebac-11e5-a2a6-42010af0000e e2e-gce-builder-4-3-minion-or77 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:59 -0700 PDT ContainersNotReady containers with unready status: [test-container]}]
Mar 16 12:20:08.187: INFO: scale-down-p480r e2e-gce-builder-4-3-minion-or77 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:30 -0700 PDT }]
Mar 16 12:20:08.187: INFO: scale-down-sjjfo e2e-gce-builder-4-3-minion-c7o2 Running 30s [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:31 -0700 PDT }]
Mar 16 12:20:08.187: INFO: nginx e2e-gce-builder-4-3-minion-tgot Running [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:02 -0700 PDT ContainersNotReady containers with unready status: [nginx]}]
Mar 16 12:20:08.187: INFO: redis-master-uh9yy e2e-gce-builder-4-3-minion-c7o2 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:43 -0700 PDT ContainersNotReady containers with unready status: [redis-master]}]
Mar 16 12:20:08.187: INFO: update-demo-nautilus-jvo95 e2e-gce-builder-4-3-minion-or77 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:48 -0700 PDT }]
Mar 16 12:20:08.187: INFO: nginx e2e-gce-builder-4-3-minion-c7o2 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:22 -0700 PDT ContainersNotReady containers with unready status: [nginx]}]
Mar 16 12:20:08.187: INFO: update-demo-nautilus-kmv8c e2e-gce-builder-4-3-minion-or77 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:48 -0700 PDT }]
Mar 16 12:20:08.187: INFO: update-demo-nautilus-tnbyq e2e-gce-builder-4-3-minion-c7o2 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:37 -0700 PDT ContainersNotReady containers with unready status: [update-demo]}]
Mar 16 12:20:08.187: INFO: netexec e2e-gce-builder-4-3-minion-h74l Running [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:36 -0700 PDT ContainersNotReady containers with unready status: [netexec]}]
Mar 16 12:20:08.187: INFO: nginx e2e-gce-builder-4-3-minion-tgot Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:35 -0700 PDT }]
Mar 16 12:20:08.187: INFO: liveness-exec e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:55 -0700 PDT }]
Mar 16 12:20:08.187: INFO: tester e2e-gce-builder-4-3-minion-or77 Running 30s [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:51 -0700 PDT }]
Mar 16 12:20:08.187: INFO: proxy-service-ggul8-sytl3 e2e-gce-builder-4-3-minion-c7o2 Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:42 -0700 PDT ContainersNotReady containers with unready status: [proxy-service-ggul8]}]
Mar 16 12:20:08.187: INFO: my-hostname-basic-0e0c570f-ebac-11e5-87e7-42010af0000e-0klsj e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:52 -0700 PDT }]
Mar 16 12:20:08.187: INFO: my-hostname-basic-0e0c570f-ebac-11e5-87e7-42010af0000e-kauzr e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:04 -0700 PDT }]
Mar 16 12:20:08.188: INFO: mutability-test-gg1wk e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:07 -0700 PDT }]
Mar 16 12:20:08.188: INFO: hostexec e2e-gce-builder-4-3-minion-w0dx Running 30s [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:58 -0700 PDT }]
Mar 16 12:20:08.188: INFO: nodeport-test-w1ub0 e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:06 -0700 PDT }]
Mar 16 12:20:08.188: INFO: rand-non-local-11w02 e2e-gce-builder-4-3-minion-tgot Succeeded [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:04 -0700 PDT PodCompleted }]
Mar 16 12:20:08.188: INFO: rand-non-local-l2dn1 e2e-gce-builder-4-3-minion-tgot Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:07 -0700 PDT ContainersNotReady containers with unready status: [c]}]
Mar 16 12:20:08.188: INFO: rand-non-local-t2fie e2e-gce-builder-4-3-minion-0m7u Pending [{Ready False 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:20:04 -0700 PDT ContainersNotReady containers with unready status: [c]}]
Mar 16 12:20:08.188: INFO: scale-down-z2l1p e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:19:24 -0700 PDT }]
Mar 16 12:20:08.188: INFO: elasticsearch-logging-v1-b650i e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:59 -0700 PDT }]
Mar 16 12:20:08.188: INFO: elasticsearch-logging-v1-q7y2f e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:18:18 -0700 PDT }]
Mar 16 12:20:08.188: INFO: etcd-server-e2e-gce-builder-4-3-master e2e-gce-builder-4-3-master Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:15:34 -0700 PDT }]
Mar 16 12:20:08.188: INFO: etcd-server-events-e2e-gce-builder-4-3-master e2e-gce-builder-4-3-master Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:15:34 -0700 PDT }]
Mar 16 12:20:08.188: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-0m7u e2e-gce-builder-4-3-minion-0m7u Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:28 -0700 PDT }]
Mar 16 12:20:08.188: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-c7o2 e2e-gce-builder-4-3-minion-c7o2 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:33 -0700 PDT }]
Mar 16 12:20:08.188: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-h74l e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:18:19 -0700 PDT }]
Mar 16 12:20:08.188: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-or77 e2e-gce-builder-4-3-minion-or77 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:48 -0700 PDT }]
Mar 16 12:20:08.188: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-tgot e2e-gce-builder-4-3-minion-tgot Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:30 -0700 PDT }]
Mar 16 12:20:08.188: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-w0dx e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:35 -0700 PDT }]
Mar 16 12:20:08.188: INFO: heapster-v1.0.0-8x00h e2e-gce-builder-4-3-minion-tgot Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:31 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kibana-logging-v1-fkofe e2e-gce-builder-4-3-minion-c7o2 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:18:08 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-apiserver-e2e-gce-builder-4-3-master e2e-gce-builder-4-3-master Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:15:53 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-controller-manager-e2e-gce-builder-4-3-master e2e-gce-builder-4-3-master Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:16:12 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-dns-v11-nqvv6 e2e-gce-builder-4-3-minion-0m7u Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:18:00 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-proxy-e2e-gce-builder-4-3-minion-0m7u e2e-gce-builder-4-3-minion-0m7u Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:02 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-proxy-e2e-gce-builder-4-3-minion-c7o2 e2e-gce-builder-4-3-minion-c7o2 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:01 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-proxy-e2e-gce-builder-4-3-minion-h74l e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:26 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-proxy-e2e-gce-builder-4-3-minion-or77 e2e-gce-builder-4-3-minion-or77 Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:23 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-proxy-e2e-gce-builder-4-3-minion-tgot e2e-gce-builder-4-3-minion-tgot Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:02 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-proxy-e2e-gce-builder-4-3-minion-w0dx e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:03 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kube-scheduler-e2e-gce-builder-4-3-master e2e-gce-builder-4-3-master Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:15:31 -0700 PDT }]
Mar 16 12:20:08.188: INFO: kubernetes-dashboard-v1.0.0-ienpj e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:17:35 -0700 PDT }]
Mar 16 12:20:08.188: INFO: l7-lb-controller-v0.6.0-25t0o e2e-gce-builder-4-3-minion-h74l Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:18:20 -0700 PDT }]
Mar 16 12:20:08.188: INFO: monitoring-influxdb-grafana-v3-su8ak e2e-gce-builder-4-3-minion-w0dx Running [{Ready True 0001-01-01 00:00:00 +0000 UTC 2016-03-16 12:18:10 -0700 PDT }]
Mar 16 12:20:08.188: INFO:
Mar 16 12:20:08.196: INFO:
Logging node info for node e2e-gce-builder-4-3-master
Mar 16 12:20:08.237: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-master /api/v1/nodes/e2e-gce-builder-4-3-master 842f0834-ebab-11e5-94ab-42010af00002 1446 0 2016-03-16 12:15:59 -0700 PDT <nil> <nil> map[kubernetes.io/hostname:e2e-gce-builder-4-3-master beta.kubernetes.io/instance-type:n1-standard-2 builder-4: failure-domain.beta.kubernetes.io/region:us-central1 failure-domain.beta.kubernetes.io/zone:us-central1-f] map[]} {10.245.0.0/24 4818467139392673848 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-master true} {map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] [{OutOfDisk False 2016-03-16 12:19:59 -0700 PDT 2016-03-16 12:15:59 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:19:59 -0700 PDT 2016-03-16 12:15:59 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.2} {ExternalIP 104.197.94.145}] {{10250}} { 6F6BC8A2-D30F-E30C-AC2C-95701305F333 ef733f29-3d4b-4e97-b2c8-10cc04e0b672 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-apiserver:bb58ee65e555e6c407537c8acdd02a30] 62321994} {[gcr.io/google_containers/kube-scheduler:c2596c07dc13c13a000491d04d0d0556] 45172162} {[gcr.io/google_containers/kube-controller-manager:dc69e5ad78645929ebcb626c8ae69262] 55420482} {[gcr.io/google_containers/etcd:2.2.1] 28191895} {[gcr.io/google_containers/pause:2.0] 350164} {[gcr.io/google_containers/kube-registry-proxy:0.3] 151228508} {[gcr.io/google_containers/pause:0.8.0] 241656}]}}
Mar 16 12:20:08.237: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-master
Mar 16 12:20:08.253: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-master
Mar 16 12:20:08.315: INFO: etcd-server-events-e2e-gce-builder-4-3-master started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.315: INFO: etcd-server-e2e-gce-builder-4-3-master started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.315: INFO: kube-apiserver-e2e-gce-builder-4-3-master started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.315: INFO: kube-controller-manager-e2e-gce-builder-4-3-master started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.315: INFO: kube-scheduler-e2e-gce-builder-4-3-master started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.412: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:08.412: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 7 @[0]
Mar 16 12:20:08.412: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 10 @[0]
Mar 16 12:20:08.412: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 7 @[0]
Mar 16 12:20:08.412: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 8 @[0]
Mar 16 12:20:08.412: INFO:
Latency metrics for node e2e-gce-builder-4-3-master
Mar 16 12:20:08.412: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:22.74059s}
Mar 16 12:20:08.412: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:22.74059s}
Mar 16 12:20:08.412: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.5 Latency:15.024225s}
Mar 16 12:20:08.412: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:15.023729s}
Mar 16 12:20:08.412: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.9 Latency:15.023729s}
Mar 16 12:20:08.412: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.5 Latency:15.023037s}
Mar 16 12:20:08.412: INFO:
Logging node info for node e2e-gce-builder-4-3-minion-0m7u
Mar 16 12:20:08.416: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-minion-0m7u /api/v1/nodes/e2e-gce-builder-4-3-minion-0m7u 8d805430-ebab-11e5-94ab-42010af00002 1503 0 2016-03-16 12:16:15 -0700 PDT <nil> <nil> map[failure-domain.beta.kubernetes.io/region:us-central1 failure-domain.beta.kubernetes.io/zone:us-central1-f kubernetes.io/hostname:e2e-gce-builder-4-3-minion-0m7u beta.kubernetes.io/instance-type:n1-standard-2 builder-4:] map[]} {10.245.1.0/24 14778003829187722291 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-minion-0m7u false} {map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] [{OutOfDisk False 2016-03-16 12:20:02 -0700 PDT 2016-03-16 12:16:14 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:20:02 -0700 PDT 2016-03-16 12:17:01 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.6} {ExternalIP 104.197.180.253}] {{10250}} { 50C2CB59-7EC8-A54D-61E0-67E687C69994 4dd07954-c146-41cb-b09b-0b0edc06645f 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-proxy:3c91322614c3fbd2f5cbce55f1484f56] 165640165} {[gcr.io/google_containers/kube2sky:1.14] 27804037} {[redis:latest] 177586452} {[gcr.io/google_containers/fluentd-elasticsearch:1.15] 562043967} {[gcr.io/google_containers/etcd-amd64:2.2.1] 28192476} {[gcr.io/google_containers/skydns:2015-10-13-8c72f8c] 40551394} {[gcr.io/google_containers/pause:2.0] 350164} {[gcr.io/google_containers/exechealthz:1.0] 7099444} {[gcr.io/google_containers/jessie-dnsutils:e2e] 190148402} {[gcr.io/google_containers/dnsutils:e2e] 141895666} {[gcr.io/google_containers/pause:0.8.0] 241656} {[gcr.io/google_containers/nginx:1.7.9] 91664166} {[gcr.io/google_containers/test-webserver:e2e] 4534272}]}}
Mar 16 12:20:08.416: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-minion-0m7u
Mar 16 12:20:08.425: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-minion-0m7u
Mar 16 12:20:08.436: INFO: pod-1805b392-ebac-11e5-937d-42010af0000e started at 2016-03-16 12:20:07 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.436: INFO: Container test-container ready: false, restart count 0
Mar 16 12:20:08.436: INFO: test-rollover-deployment-2446224220-amzsz started at 2016-03-16 12:19:59 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.436: INFO: Container redis ready: false, restart count 0
Mar 16 12:20:08.436: INFO: rand-non-local-t2fie started at 2016-03-16 12:20:04 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.436: INFO: Container c ready: false, restart count 0
Mar 16 12:20:08.436: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-0m7u started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.436: INFO: kube-proxy-e2e-gce-builder-4-3-minion-0m7u started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.436: INFO: kube-dns-v11-nqvv6 started at 2016-03-16 12:17:20 -0700 PDT (4 container statuses recorded)
Mar 16 12:20:08.436: INFO: Container etcd ready: true, restart count 0
Mar 16 12:20:08.436: INFO: Container healthz ready: true, restart count 0
Mar 16 12:20:08.436: INFO: Container kube2sky ready: true, restart count 0
Mar 16 12:20:08.436: INFO: Container skydns ready: true, restart count 0
Mar 16 12:20:08.436: INFO: test-rolling-update-deployment-2583128681-9h5sv started at 2016-03-16 12:19:58 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.436: INFO: Container redis ready: false, restart count 0
Mar 16 12:20:08.608: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:08.608: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 17 @[0]
Mar 16 12:20:08.608: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 33 @[0]
Mar 16 12:20:08.608: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 6 @[0]
Mar 16 12:20:08.608: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 12 @[0]
Mar 16 12:20:08.608: INFO:
Latency metrics for node e2e-gce-builder-4-3-minion-0m7u
Mar 16 12:20:08.608: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:41.109471s}
Mar 16 12:20:08.608: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:40.00967s}
Mar 16 12:20:08.608: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:40.009561s}
Mar 16 12:20:08.608: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.99 Latency:25.179163s}
Mar 16 12:20:08.608: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.9 Latency:25.075069s}
Mar 16 12:20:08.608: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.99 Latency:25.075069s}
Mar 16 12:20:08.608: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.99 Latency:25.067876s}
Mar 16 12:20:08.608: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.99 Latency:24.058246s}
Mar 16 12:20:08.608: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.9 Latency:15.41202s}
Mar 16 12:20:08.608: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.9 Latency:14.964465s}
Mar 16 12:20:08.608: INFO:
Logging node info for node e2e-gce-builder-4-3-minion-c7o2
Mar 16 12:20:08.611: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-minion-c7o2 /api/v1/nodes/e2e-gce-builder-4-3-minion-c7o2 8cdc007b-ebab-11e5-94ab-42010af00002 1491 0 2016-03-16 12:16:13 -0700 PDT <nil> <nil> map[failure-domain.beta.kubernetes.io/region:us-central1 failure-domain.beta.kubernetes.io/zone:us-central1-f kubernetes.io/hostname:e2e-gce-builder-4-3-minion-c7o2 beta.kubernetes.io/instance-type:n1-standard-2 builder-4:] map[]} {10.245.2.0/24 15451494475836778689 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-minion-c7o2 false} {map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] map[memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI} cpu:{2.000 DecimalSI}] [{OutOfDisk False 2016-03-16 12:20:01 -0700 PDT 2016-03-16 12:16:13 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:20:01 -0700 PDT 2016-03-16 12:17:00 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.5} {ExternalIP 146.148.98.116}] {{10250}} { D6EA2312-131B-13F5-8A69-340B5D38A03D 9186ea0d-2630-4267-a68b-0625b9e79c63 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-proxy:3c91322614c3fbd2f5cbce55f1484f56] 165640165} {[<none>:<none>] 125110803} {[gcr.io/google_containers/fluentd-elasticsearch:1.15] 562043967} {[gcr.io/google_containers/busybox:1.24] 1113554} {[gcr.io/google_containers/mounttest-user:0.3] 1718853} {[gcr.io/google_containers/mounttest:0.5] 1718853} {[gcr.io/google_containers/pause:2.0] 350164} {[<none>:<none>] 569} {[gcr.io/google_containers/kibana:1.3] 396897764} {[gcr.io/google_containers/pause:0.8.0] 241656} {[gcr.io/google_containers/serve_hostname:1.1] 4522409} {[<none>:<none>] 188300556} {[gcr.io/google_containers/nginx:1.7.9] 91664166} {[<none>:<none>] 4534272}]}}
Mar 16 12:20:08.612: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-minion-c7o2
Mar 16 12:20:08.630: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-minion-c7o2
Mar 16 12:20:08.682: INFO: scale-down-sjjfo started at 2016-03-16 12:19:28 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container c ready: true, restart count 0
Mar 16 12:20:08.682: INFO: proxy-service-ggul8-sytl3 started at 2016-03-16 12:19:42 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container proxy-service-ggul8 ready: false, restart count 0
Mar 16 12:20:08.682: INFO: test-rollover-controller-f6t0c started at 2016-03-16 12:19:35 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container nginx ready: true, restart count 0
Mar 16 12:20:08.682: INFO: update-demo-nautilus-z816h started at 2016-03-16 12:20:08 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container update-demo ready: false, restart count 0
Mar 16 12:20:08.682: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-c7o2 started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.682: INFO: kube-proxy-e2e-gce-builder-4-3-minion-c7o2 started at <nil> (0 container statuses recorded)
Mar 16 12:20:08.682: INFO: kibana-logging-v1-fkofe started at 2016-03-16 12:17:19 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container kibana-logging ready: true, restart count 1
Mar 16 12:20:08.682: INFO: update-demo-nautilus-tnbyq started at 2016-03-16 12:19:37 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container update-demo ready: false, restart count 0
Mar 16 12:20:08.682: INFO: redis-master-uh9yy started at 2016-03-16 12:19:43 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container redis-master ready: false, restart count 0
Mar 16 12:20:08.682: INFO: nginx started at 2016-03-16 12:19:22 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:08.682: INFO: Container nginx ready: false, restart count 0
Mar 16 12:20:09.227: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:09.228: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 15 @[0]
Mar 16 12:20:09.228: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 32 @[0]
Mar 16 12:20:09.228: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 6 @[0]
Mar 16 12:20:09.228: INFO: ERROR kubelet_docker_errors{operation_type="stop_container"} => 4 @[0]
Mar 16 12:20:09.228: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 12 @[0]
Mar 16 12:20:09.228: INFO:
Latency metrics for node e2e-gce-builder-4-3-minion-c7o2
Mar 16 12:20:09.228: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:41.159592s}
Mar 16 12:20:09.228: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:40.012318s}
Mar 16 12:20:09.228: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:40.012204s}
Mar 16 12:20:09.228: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.9 Latency:32.814857s}
Mar 16 12:20:09.228: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.99 Latency:32.814857s}
Mar 16 12:20:09.228: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.99 Latency:32.778882s}
Mar 16 12:20:09.228: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.99 Latency:31.69445s}
Mar 16 12:20:09.228: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.99 Latency:31.345439s}
Mar 16 12:20:09.228: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.9 Latency:31.345439s}
Mar 16 12:20:09.228: INFO:
Logging node info for node e2e-gce-builder-4-3-minion-h74l
Mar 16 12:20:09.233: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-minion-h74l /api/v1/nodes/e2e-gce-builder-4-3-minion-h74l 95e4ee91-ebab-11e5-94ab-42010af00002 1615 0 2016-03-16 12:16:29 -0700 PDT <nil> <nil> map[builder-4: failure-domain.beta.kubernetes.io/region:us-central1 failure-domain.beta.kubernetes.io/zone:us-central1-f kubernetes.io/hostname:e2e-gce-builder-4-3-minion-h74l beta.kubernetes.io/instance-type:n1-standard-2] map[]} {10.245.5.0/24 13922910527554352375 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-minion-h74l false} {map[memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI} cpu:{2.000 DecimalSI}] map[pods:{110.000 DecimalSI} cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI}] [{OutOfDisk False 2016-03-16 12:20:08 -0700 PDT 2016-03-16 12:16:29 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:20:08 -0700 PDT 2016-03-16 12:17:17 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.3} {ExternalIP 104.197.85.60}] {{10250}} { C1B91124-0F14-312B-8627-BAB00828A5C6 dc807e14-ad07-4cef-b802-32f3c8c4d08b 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-proxy:3c91322614c3fbd2f5cbce55f1484f56] 165640165} {[gcr.io/google_containers/glbc:0.6.0] 229770249} {[gcr.io/google_containers/netexec:1.5] 7358440} {[gcr.io/google_containers/fluentd-elasticsearch:1.15] 562043967} {[gcr.io/google_containers/netexec:1.4] 7297019} {[gcr.io/google_containers/elasticsearch:1.8] 410989305} {[gcr.io/google_containers/defaultbackend:1.0] 7513643} {[gcr.io/google_containers/pause:2.0] 350164} {[gcr.io/google_containers/mounttest:0.2] 1752375} {[gcr.io/google_containers/pause:0.8.0] 241656} {[gcr.io/google_containers/serve_hostname:1.1] 4522409} {[gcr.io/google_containers/redis:e2e] 419003740} {[gcr.io/google_containers/nginx:1.7.9] 91664166}]}}
Mar 16 12:20:09.233: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-minion-h74l
Mar 16 12:20:09.241: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-minion-h74l
Mar 16 12:20:09.280: INFO: mutability-test-gg1wk started at 2016-03-16 12:19:55 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.280: INFO: Container netexec ready: true, restart count 0
Mar 16 12:20:09.280: INFO: kube-proxy-e2e-gce-builder-4-3-minion-h74l started at <nil> (0 container statuses recorded)
Mar 16 12:20:09.280: INFO: elasticsearch-logging-v1-q7y2f started at 2016-03-16 12:17:19 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.280: INFO: Container elasticsearch-logging ready: true, restart count 0
Mar 16 12:20:09.280: INFO: l7-lb-controller-v0.6.0-25t0o started at 2016-03-16 12:17:19 -0700 PDT (2 container statuses recorded)
Mar 16 12:20:09.280: INFO: Container default-http-backend ready: true, restart count 0
Mar 16 12:20:09.280: INFO: Container l7-lb-controller ready: true, restart count 0
Mar 16 12:20:09.280: INFO: nodeport-test-w1ub0 started at 2016-03-16 12:19:42 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.280: INFO: Container netexec ready: true, restart count 0
Mar 16 12:20:09.280: INFO: netexec started at 2016-03-16 12:19:36 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.280: INFO: Container netexec ready: false, restart count 0
Mar 16 12:20:09.280: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-h74l started at <nil> (0 container statuses recorded)
Mar 16 12:20:09.281: INFO: test-rolling-update-deployment-2583128681-py7p7 started at 2016-03-16 12:19:33 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.281: INFO: Container redis ready: true, restart count 0
Mar 16 12:20:09.281: INFO: my-hostname-basic-0e0c570f-ebac-11e5-87e7-42010af0000e-kauzr started at 2016-03-16 12:19:50 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.281: INFO: Container my-hostname-basic-0e0c570f-ebac-11e5-87e7-42010af0000e ready: true, restart count 0
Mar 16 12:20:09.466: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:09.466: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 19 @[0]
Mar 16 12:20:09.466: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 32 @[0]
Mar 16 12:20:09.466: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 6 @[0]
Mar 16 12:20:09.466: INFO: ERROR kubelet_docker_errors{operation_type="stop_container"} => 3 @[0]
Mar 16 12:20:09.466: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 12 @[0]
Mar 16 12:20:09.466: INFO:
Latency metrics for node e2e-gce-builder-4-3-minion-h74l
Mar 16 12:20:09.466: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:1m0.155039s}
Mar 16 12:20:09.466: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.99 Latency:59.763067s}
Mar 16 12:20:09.466: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.99 Latency:59.753069s}
Mar 16 12:20:09.466: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.9 Latency:58.186227s}
Mar 16 12:20:09.466: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.99 Latency:52.536215s}
Mar 16 12:20:09.466: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.99 Latency:51.25003s}
Mar 16 12:20:09.466: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:40.015213s}
Mar 16 12:20:09.466: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:40.013567s}
Mar 16 12:20:09.466: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.9 Latency:30.85301s}
Mar 16 12:20:09.466: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.9 Latency:22.33817s}
Mar 16 12:20:09.466: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.9 Latency:21.679325s}
Mar 16 12:20:09.466: INFO:
Logging node info for node e2e-gce-builder-4-3-minion-or77
Mar 16 12:20:09.470: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-minion-or77 /api/v1/nodes/e2e-gce-builder-4-3-minion-or77 99d77966-ebab-11e5-94ab-42010af00002 1534 0 2016-03-16 12:16:35 -0700 PDT <nil> <nil> map[failure-domain.beta.kubernetes.io/zone:us-central1-f kubernetes.io/hostname:e2e-gce-builder-4-3-minion-or77 beta.kubernetes.io/instance-type:n1-standard-2 builder-4: failure-domain.beta.kubernetes.io/region:us-central1] map[]} {10.245.6.0/24 12060484192874722186 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-minion-or77 false} {map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] map[memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI} cpu:{2.000 DecimalSI}] [{OutOfDisk False 2016-03-16 12:20:04 -0700 PDT 2016-03-16 12:16:35 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:20:04 -0700 PDT 2016-03-16 12:17:22 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.8} {ExternalIP 23.251.156.211}] {{10250}} { 684B0FA3-F92B-629A-26D4-0F3041A363DE c2f2107e-002a-4791-8373-768447b23096 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-proxy:3c91322614c3fbd2f5cbce55f1484f56] 165640165} {[redis:latest] 177586452} {[gcr.io/google_containers/fluentd-elasticsearch:1.15] 562043967} {[gcr.io/google_containers/nettest:1.7] 24051275} {[gcr.io/google_containers/busybox:1.24] 1113554} {[gcr.io/google_containers/pause:2.0] 350164} {[gcr.io/google_containers/portforwardtester:1.0] 2296329} {[gcr.io/google_containers/pause:0.8.0] 241656} {[<none>:<none>] 188300556} {[gcr.io/google_containers/update-demo:nautilus] 4555533} {[gcr.io/google_containers/nginx:1.7.9] 91664166}]}}
Mar 16 12:20:09.470: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-minion-or77
Mar 16 12:20:09.480: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-minion-or77
Mar 16 12:20:09.529: INFO: kube-proxy-e2e-gce-builder-4-3-minion-or77 started at <nil> (0 container statuses recorded)
Mar 16 12:20:09.529: INFO: pod-13627548-ebac-11e5-a2a6-42010af0000e started at 2016-03-16 12:19:59 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container test-container ready: false, restart count 0
Mar 16 12:20:09.529: INFO: update-demo-nautilus-kmv8c started at 2016-03-16 12:19:37 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container update-demo ready: true, restart count 0
Mar 16 12:20:09.529: INFO: test-rollover-deployment-2446224220-7m3ri started at 2016-03-16 12:19:59 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container redis ready: true, restart count 0
Mar 16 12:20:09.529: INFO: hostexec started at 2016-03-16 12:20:05 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container hostexec ready: true, restart count 0
Mar 16 12:20:09.529: INFO: test-rollover-controller-jm00e started at 2016-03-16 12:19:35 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container nginx ready: true, restart count 0
Mar 16 12:20:09.529: INFO: update-demo-nautilus-jvo95 started at 2016-03-16 12:19:36 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container update-demo ready: true, restart count 0
Mar 16 12:20:09.529: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-or77 started at <nil> (0 container statuses recorded)
Mar 16 12:20:09.529: INFO: mutability-test-y4nt5 started at 2016-03-16 12:20:09 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container netexec ready: false, restart count 0
Mar 16 12:20:09.529: INFO: tester started at 2016-03-16 12:19:49 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container tester ready: true, restart count 0
Mar 16 12:20:09.529: INFO: scale-down-p480r started at 2016-03-16 12:19:28 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.529: INFO: Container c ready: true, restart count 0
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 16 @[0]
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 32 @[0]
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 6 @[0]
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="logs"} => 1 @[0]
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="stop_container"} => 3 @[0]
Mar 16 12:20:09.768: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 12 @[0]
Mar 16 12:20:09.768: INFO:
Latency metrics for node e2e-gce-builder-4-3-minion-or77
Mar 16 12:20:09.768: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:41.412811s}
Mar 16 12:20:09.768: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:40.017814s}
Mar 16 12:20:09.768: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:26.177674s}
Mar 16 12:20:09.768: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.99 Latency:25.654324s}
Mar 16 12:20:09.768: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.99 Latency:25.075843s}
Mar 16 12:20:09.768: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.99 Latency:24.521367s}
Mar 16 12:20:09.768: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.99 Latency:24.317074s}
Mar 16 12:20:09.768: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.9 Latency:23.343841s}
Mar 16 12:20:09.768: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.9 Latency:11.983074s}
Mar 16 12:20:09.768: INFO:
Logging node info for node e2e-gce-builder-4-3-minion-tgot
Mar 16 12:20:09.772: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-minion-tgot /api/v1/nodes/e2e-gce-builder-4-3-minion-tgot 8d77529d-ebab-11e5-94ab-42010af00002 1501 0 2016-03-16 12:16:15 -0700 PDT <nil> <nil> map[kubernetes.io/hostname:e2e-gce-builder-4-3-minion-tgot beta.kubernetes.io/instance-type:n1-standard-2 builder-4: failure-domain.beta.kubernetes.io/region:us-central1 failure-domain.beta.kubernetes.io/zone:us-central1-f] map[]} {10.245.3.0/24 7315069135013650812 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-minion-tgot false} {map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] [{OutOfDisk False 2016-03-16 12:20:02 -0700 PDT 2016-03-16 12:16:14 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:20:02 -0700 PDT 2016-03-16 12:17:01 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.4} {ExternalIP 104.197.211.215}] {{10250}} { 7F61EE4D-A146-0F54-23B9-11467DF53A75 9e9e8c1e-64e7-4b39-9a44-daceb629f065 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-proxy:3c91322614c3fbd2f5cbce55f1484f56] 165640165} {[gcr.io/google_containers/heapster:v1.0.0] 96204288} {[gcr.io/google_containers/fluentd-elasticsearch:1.15] 562043967} {[gcr.io/google_containers/busybox:1.24] 1113554} {[gcr.io/google_containers/mounttest:0.6] 2084693} {[gcr.io/google_containers/mounttest-user:0.3] 1718853} {[gcr.io/google_containers/pause:2.0] 350164} {[gcr.io/google_containers/pause:0.8.0] 241656} {[gcr.io/google_containers/redis:e2e] 419003740} {[gcr.io/google_containers/update-demo:nautilus] 4555533} {[gcr.io/google_containers/nginx:1.7.9] 91664166} {[gcr.io/google_containers/liveness:e2e] 4387474}]}}
Mar 16 12:20:09.773: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-minion-tgot
Mar 16 12:20:09.782: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-minion-tgot
Mar 16 12:20:09.818: INFO: client-containers-15f05ad4-ebac-11e5-8bf2-42010af0000e started at 2016-03-16 12:20:03 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.818: INFO: Container test-container ready: false, restart count 0
Mar 16 12:20:09.818: INFO: test-rollover-controller-1g4h3 started at 2016-03-16 12:19:35 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.818: INFO: Container nginx ready: true, restart count 0
Mar 16 12:20:09.818: INFO: rand-non-local-11w02 started at 2016-03-16 12:20:04 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.819: INFO: Container c ready: false, restart count 0
Mar 16 12:20:09.819: INFO: rand-non-local-l2dn1 started at 2016-03-16 12:20:07 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.819: INFO: Container c ready: false, restart count 0
Mar 16 12:20:09.819: INFO: rand-non-local-aox3b started at 2016-03-16 12:20:09 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.819: INFO: Container c ready: false, restart count 0
Mar 16 12:20:09.819: INFO: kube-proxy-e2e-gce-builder-4-3-minion-tgot started at <nil> (0 container statuses recorded)
Mar 16 12:20:09.819: INFO: heapster-v1.0.0-8x00h started at 2016-03-16 12:17:19 -0700 PDT (2 container statuses recorded)
Mar 16 12:20:09.819: INFO: Container eventer ready: true, restart count 0
Mar 16 12:20:09.819: INFO: Container heapster ready: true, restart count 0
Mar 16 12:20:09.819: INFO: nginx started at 2016-03-16 12:20:02 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.819: INFO: Container nginx ready: false, restart count 0
Mar 16 12:20:09.819: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-tgot started at <nil> (0 container statuses recorded)
Mar 16 12:20:09.819: INFO: nginx started at 2016-03-16 12:19:28 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:09.819: INFO: Container nginx ready: true, restart count 0
Mar 16 12:20:10.074: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:10.074: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 14 @[0]
Mar 16 12:20:10.074: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 32 @[0]
Mar 16 12:20:10.074: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 6 @[0]
Mar 16 12:20:10.074: INFO: ERROR kubelet_docker_errors{operation_type="stop_container"} => 8 @[0]
Mar 16 12:20:10.074: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 12 @[0]
Mar 16 12:20:10.074: INFO:
Latency metrics for node e2e-gce-builder-4-3-minion-tgot
Mar 16 12:20:10.074: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:41.259114s}
Mar 16 12:20:10.074: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:40.013844s}
Mar 16 12:20:10.074: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:40.013689s}
Mar 16 12:20:10.074: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.99 Latency:24.479953s}
Mar 16 12:20:10.074: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.99 Latency:24.45393s}
Mar 16 12:20:10.074: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.99 Latency:24.435067s}
Mar 16 12:20:10.074: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.99 Latency:23.744054s}
Mar 16 12:20:10.074: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.9 Latency:21.581525s}
Mar 16 12:20:10.074: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.9 Latency:19.432044s}
Mar 16 12:20:10.074: INFO:
Logging node info for node e2e-gce-builder-4-3-minion-w0dx
Mar 16 12:20:10.082: INFO: Node Info: &{{ } {e2e-gce-builder-4-3-minion-w0dx /api/v1/nodes/e2e-gce-builder-4-3-minion-w0dx 8e5b8285-ebab-11e5-94ab-42010af00002 1511 0 2016-03-16 12:16:16 -0700 PDT <nil> <nil> map[beta.kubernetes.io/instance-type:n1-standard-2 builder-4: failure-domain.beta.kubernetes.io/region:us-central1 failure-domain.beta.kubernetes.io/zone:us-central1-f kubernetes.io/hostname:e2e-gce-builder-4-3-minion-w0dx] map[]} {10.245.4.0/24 6267779568652324074 gce://kubernetes-jenkins-pull/us-central1-f/e2e-gce-builder-4-3-minion-w0dx false} {map[cpu:{2.000 DecimalSI} memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI}] map[memory:{7864139776.000 BinarySI} pods:{110.000 DecimalSI} cpu:{2.000 DecimalSI}] [{OutOfDisk False 2016-03-16 12:20:03 -0700 PDT 2016-03-16 12:16:16 -0700 PDT KubeletHasSufficientDisk kubelet has sufficient disk space available} {Ready True 2016-03-16 12:20:03 -0700 PDT 2016-03-16 12:17:01 -0700 PDT KubeletReady kubelet is posting ready status. WARNING: CPU hardcapping unsupported}] [{InternalIP 10.240.0.7} {ExternalIP 146.148.97.148}] {{10250}} { 2932BDE0-F4C9-9E4D-3A67-28A296BA1D30 4bcacbeb-a408-42d4-a288-2f6fe40d3345 3.16.0-4-amd64 Debian GNU/Linux 7 (wheezy) docker://1.9.1 v1.3.0-alpha.0.571+82d5b0f237b6c8 v1.3.0-alpha.0.571+82d5b0f237b6c8} [{[gcr.io/google_containers/kube-proxy:3c91322614c3fbd2f5cbce55f1484f56] 165640165} {[gcr.io/google_containers/kubernetes-dashboard-amd64:v1.0.0] 40688848} {[gcr.io/google_containers/heapster_grafana:v2.6.0-2] 230092866} {[gcr.io/google_containers/fluentd-elasticsearch:1.15] 562043967} {[gcr.io/google_containers/busybox:1.24] 1113554} {[gcr.io/google_containers/elasticsearch:1.8] 410989305} {[gcr.io/google_containers/mounttest:0.6] 2084693} {[gcr.io/google_containers/hostexec:1.2] 13209617} {[gcr.io/google_containers/pause:2.0] 350164} {[gcr.io/google_containers/heapster_influxdb:v0.5] 251005705} {[gcr.io/google_containers/jessie-dnsutils:e2e] 190148402} {[gcr.io/google_containers/dnsutils:e2e] 141895666} {[gcr.io/google_containers/pause:0.8.0] 241656} {[gcr.io/google_containers/serve_hostname:1.1] 4522409} {[gcr.io/google_containers/nginx:1.7.9] 91664166} {[gcr.io/google_containers/test-webserver:e2e] 4534272}]}}
Mar 16 12:20:10.082: INFO:
Logging kubelet events for node e2e-gce-builder-4-3-minion-w0dx
Mar 16 12:20:10.090: INFO:
Logging pods the kubelet thinks is on node e2e-gce-builder-4-3-minion-w0dx
Mar 16 12:20:10.134: INFO: monitoring-influxdb-grafana-v3-su8ak started at 2016-03-16 12:17:19 -0700 PDT (2 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container grafana ready: true, restart count 0
Mar 16 12:20:10.135: INFO: Container influxdb ready: true, restart count 0
Mar 16 12:20:10.135: INFO: scale-down-z2l1p started at 2016-03-16 12:19:21 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container c ready: true, restart count 0
Mar 16 12:20:10.135: INFO: my-hostname-basic-0e0c570f-ebac-11e5-87e7-42010af0000e-0klsj started at 2016-03-16 12:19:50 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container my-hostname-basic-0e0c570f-ebac-11e5-87e7-42010af0000e ready: true, restart count 0
Mar 16 12:20:10.135: INFO: liveness-exec started at 2016-03-16 12:19:54 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container liveness ready: true, restart count 0
Mar 16 12:20:10.135: INFO: kube-proxy-e2e-gce-builder-4-3-minion-w0dx started at <nil> (0 container statuses recorded)
Mar 16 12:20:10.135: INFO: kubernetes-dashboard-v1.0.0-ienpj started at 2016-03-16 12:17:19 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container kubernetes-dashboard ready: true, restart count 0
Mar 16 12:20:10.135: INFO: test-webserver-13c988b5-ebac-11e5-8c3f-42010af0000e started at 2016-03-16 12:20:00 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container test-webserber ready: false, restart count 0
Mar 16 12:20:10.135: INFO: hostexec started at 2016-03-16 12:19:56 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container hostexec ready: true, restart count 0
Mar 16 12:20:10.135: INFO: fluentd-elasticsearch-e2e-gce-builder-4-3-minion-w0dx started at <nil> (0 container statuses recorded)
Mar 16 12:20:10.135: INFO: elasticsearch-logging-v1-b650i started at 2016-03-16 12:17:19 -0700 PDT (1 container statuses recorded)
Mar 16 12:20:10.135: INFO: Container elasticsearch-logging ready: true, restart count 0
Mar 16 12:20:10.356: INFO: ERROR kubelet_docker_errors{operation_type="info"} => 1 @[0]
Mar 16 12:20:10.356: INFO: ERROR kubelet_docker_errors{operation_type="inspect_image"} => 16 @[0]
Mar 16 12:20:10.357: INFO: ERROR kubelet_docker_errors{operation_type="list_containers"} => 32 @[0]
Mar 16 12:20:10.357: INFO: ERROR kubelet_docker_errors{operation_type="list_images"} => 6 @[0]
Mar 16 12:20:10.357: INFO: ERROR kubelet_docker_errors{operation_type="version"} => 12 @[0]
Mar 16 12:20:10.357: INFO:
Latency metrics for node e2e-gce-builder-4-3-minion-w0dx
Mar 16 12:20:10.357: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.99 Latency:50.286722s}
Mar 16 12:20:10.357: INFO: {Operation: Method:pod_start_latency_microseconds Quantile:0.9 Latency:40.136159s}
Mar 16 12:20:10.357: INFO: {Operation: Method:pod_worker_start_latency_microseconds Quantile:0.99 Latency:40.013843s}
Mar 16 12:20:10.357: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.99 Latency:39.54455s}
Mar 16 12:20:10.357: INFO: {Operation:SyncPod Method:container_manager_latency_microseconds Quantile:0.99 Latency:39.537679s}
Mar 16 12:20:10.357: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.99 Latency:35.942497s}
Mar 16 12:20:10.357: INFO: {Operation:create Method:pod_worker_latency_microseconds Quantile:0.9 Latency:34.291256s}
Mar 16 12:20:10.357: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.99 Latency:33.107967s}
Mar 16 12:20:10.357: INFO: {Operation:pull_image Method:docker_operations_latency_microseconds Quantile:0.9 Latency:32.442493s}
Mar 16 12:20:10.357: INFO: {Operation:sync Method:pod_worker_latency_microseconds Quantile:0.9 Latency:12.614231s}
Mar 16 12:20:10.357: INFO: Waiting up to 1m0s for all nodes to be ready
STEP: Destroying namespace "e2e-tests-kubectl-nty7t" for this suite.
• Failure [74.999 seconds]
[k8s.io] Kubectl client
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/framework.go:420
[k8s.io] Update Demo
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/framework.go:420
should do a rolling update of a replication controller [Conformance] [It]
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/kubectl.go:159
Expected error:
<*errors.errorString | 0xc2085a1860>: {
s: "Error running &{/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/kubernetes/platforms/linux/amd64/kubectl [kubectl --server=https://104.197.94.145 --kubeconfig=/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/.kube/config get pods update-demo-nautilus-kmv8c -o template --template={{if (exists . \"status\" \"containerStatuses\")}}{{range .status.containerStatuses}}{{if (and (eq .name \"update-demo\") (exists . \"state\" \"running\"))}}true{{end}}{{end}}{{end}} --api-version=v1 --namespace=e2e-tests-kubectl-nty7t] [] <nil> Flag --api-version has been deprecated, flag is no longer respected and will be deleted in the next release\nUnable to connect to the server: dial tcp 104.197.94.145:443: i/o timeout\n [] <nil> 0xc208572f00 exit status 1 <nil> true [0xc2083c43c0 0xc2083c43e0 0xc2083c4408] [0xc2083c43c0 0xc2083c43e0 0xc2083c4408] [0xc2083c43d8 0xc2083c4400] [0x962b80 0x962b80] 0xc208487800}:\nCommand stdout:\n\nstderr:\nFlag --api-version has been deprecated, flag is no longer respected and will be deleted in the next release\nUnable to connect to the server: dial tcp 104.197.94.145:443: i/o timeout\n\nerror:\nexit status 1\n",
}
Error running &{/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/kubernetes/platforms/linux/amd64/kubectl [kubectl --server=https://104.197.94.145 --kubeconfig=/var/lib/jenkins/workspace/kubernetes-pull-build-test-e2e-gce/.kube/config get pods update-demo-nautilus-kmv8c -o template --template={{if (exists . "status" "containerStatuses")}}{{range .status.containerStatuses}}{{if (and (eq .name "update-demo") (exists . "state" "running"))}}true{{end}}{{end}}{{end}} --api-version=v1 --namespace=e2e-tests-kubectl-nty7t] [] <nil> Flag --api-version has been deprecated, flag is no longer respected and will be deleted in the next release
Unable to connect to the server: dial tcp 104.197.94.145:443: i/o timeout
[] <nil> 0xc208572f00 exit status 1 <nil> true [0xc2083c43c0 0xc2083c43e0 0xc2083c4408] [0xc2083c43c0 0xc2083c43e0 0xc2083c4408] [0xc2083c43d8 0xc2083c4400] [0x962b80 0x962b80] 0xc208487800}:
Command stdout:
stderr:
Flag --api-version has been deprecated, flag is no longer respected and will be deleted in the next release
Unable to connect to the server: dial tcp 104.197.94.145:443: i/o timeout
error:
exit status 1
not to have occurred
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/util.go:1591
</code></pre></div>
<p dir="auto">Test logs: <a href="https://console.developers.google.com/storage/browser/kubernetes-jenkins/pr-logs/pull/23068/kubernetes-pull-build-test-e2e-gce/32824/artifacts/" rel="nofollow">https://console.developers.google.com/storage/browser/kubernetes-jenkins/pr-logs/pull/23068/kubernetes-pull-build-test-e2e-gce/32824/artifacts/</a></p> | <p dir="auto"><a href="https://k8s-gubernator.appspot.com/build/kubernetes-jenkins/logs/kubernetes-e2e-gke/8301/" rel="nofollow">https://k8s-gubernator.appspot.com/build/kubernetes-jenkins/logs/kubernetes-e2e-gke/8301/</a></p>
<p dir="auto">Failed: [k8s.io] Kubectl client [k8s.io] Update Demo should do a rolling update of a replication controller [Conformance] {Kubernetes e2e suite}</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/kubectl.go:233
Expected error:
<*errors.errorString | 0xc820926400>: {
s: "Error running &{/workspace/kubernetes/platforms/linux/amd64/kubectl [kubectl --server=https://104.155.129.194 --kubeconfig=/workspace/.kube/config get pods -o template --template={{range.items}}{{.metadata.name}} {{end}} -l name=update-demo --namespace=e2e-tests-kubectl-g5f7f] [] <nil> Unable to connect to the server: dial tcp 104.155.129.194:443: i/o timeout\n [] <nil> 0xc820e6a320 exit status 1 <nil> true [0xc8200fe048 0xc8200fe058 0xc8200fe0c0] [0xc8200fe048 0xc8200fe058 0xc8200fe0c0] [0xc8200fe038 0xc8200fe0a8] [0xbc7e00 0xbc7e00] 0xc820cf6240}:\nCommand stdout:\n\nstderr:\nUnable to connect to the server: dial tcp 104.155.129.194:443: i/o timeout\n\nerror:\nexit status 1\n",
}
Error running &{/workspace/kubernetes/platforms/linux/amd64/kubectl [kubectl --server=https://104.155.129.194 --kubeconfig=/workspace/.kube/config get pods -o template --template={{range.items}}{{.metadata.name}} {{end}} -l name=update-demo --namespace=e2e-tests-kubectl-g5f7f] [] <nil> Unable to connect to the server: dial tcp 104.155.129.194:443: i/o timeout
[] <nil> 0xc820e6a320 exit status 1 <nil> true [0xc8200fe048 0xc8200fe058 0xc8200fe0c0] [0xc8200fe048 0xc8200fe058 0xc8200fe0c0] [0xc8200fe038 0xc8200fe0a8] [0xbc7e00 0xbc7e00] 0xc820cf6240}:
Command stdout:
stderr:
Unable to connect to the server: dial tcp 104.155.129.194:443: i/o timeout
error:
exit status 1
not to have occurred"><pre class="notranslate"><code class="notranslate">/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/kubectl.go:233
Expected error:
<*errors.errorString | 0xc820926400>: {
s: "Error running &{/workspace/kubernetes/platforms/linux/amd64/kubectl [kubectl --server=https://104.155.129.194 --kubeconfig=/workspace/.kube/config get pods -o template --template={{range.items}}{{.metadata.name}} {{end}} -l name=update-demo --namespace=e2e-tests-kubectl-g5f7f] [] <nil> Unable to connect to the server: dial tcp 104.155.129.194:443: i/o timeout\n [] <nil> 0xc820e6a320 exit status 1 <nil> true [0xc8200fe048 0xc8200fe058 0xc8200fe0c0] [0xc8200fe048 0xc8200fe058 0xc8200fe0c0] [0xc8200fe038 0xc8200fe0a8] [0xbc7e00 0xbc7e00] 0xc820cf6240}:\nCommand stdout:\n\nstderr:\nUnable to connect to the server: dial tcp 104.155.129.194:443: i/o timeout\n\nerror:\nexit status 1\n",
}
Error running &{/workspace/kubernetes/platforms/linux/amd64/kubectl [kubectl --server=https://104.155.129.194 --kubeconfig=/workspace/.kube/config get pods -o template --template={{range.items}}{{.metadata.name}} {{end}} -l name=update-demo --namespace=e2e-tests-kubectl-g5f7f] [] <nil> Unable to connect to the server: dial tcp 104.155.129.194:443: i/o timeout
[] <nil> 0xc820e6a320 exit status 1 <nil> true [0xc8200fe048 0xc8200fe058 0xc8200fe0c0] [0xc8200fe048 0xc8200fe058 0xc8200fe0c0] [0xc8200fe038 0xc8200fe0a8] [0xbc7e00 0xbc7e00] 0xc820cf6240}:
Command stdout:
stderr:
Unable to connect to the server: dial tcp 104.155.129.194:443: i/o timeout
error:
exit status 1
not to have occurred
</code></pre></div>
<p dir="auto">Previous issues for this test: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="157221194" data-permission-text="Title is private" data-url="https://github.com/kubernetes/kubernetes/issues/26425" data-hovercard-type="issue" data-hovercard-url="/kubernetes/kubernetes/issues/26425/hovercard" href="https://github.com/kubernetes/kubernetes/issues/26425">#26425</a></p> | 1 |
<h3 dir="auto">Input Code</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="class function_proxy extends Function {
constructor () {
super([], "return 1");
}
}
let a = new function_proxy();
console.log(a instanceof function_proxy)"><pre class="notranslate"><code class="notranslate">class function_proxy extends Function {
constructor () {
super([], "return 1");
}
}
let a = new function_proxy();
console.log(a instanceof function_proxy)
</code></pre></div>
<h3 dir="auto">Expected Behavior</h3>
<p dir="auto"><code class="notranslate">true</code></p>
<h3 dir="auto">Current Behavior</h3>
<p dir="auto"><code class="notranslate">false</code></p>
<h3 dir="auto">Context</h3>
<p dir="auto">I'm trying to find a way to create an object that can be called but still works with <code class="notranslate">instanceof</code>.</p>
<h3 dir="auto">Your Environment</h3>
<table role="table">
<thead>
<tr>
<th>software</th>
<th>version(s)</th>
</tr>
</thead>
<tbody>
<tr>
<td>Babel</td>
<td>[email protected]</td>
</tr>
<tr>
<td>node</td>
<td>v7.9.0</td>
</tr>
<tr>
<td>npm</td>
<td>4.5.0</td>
</tr>
<tr>
<td>Operating System</td>
<td></td>
</tr>
</tbody>
</table> | <p dir="auto">I have tested this input code in chrome and your compiled code also and discovered an issue. I have described that issue in the comments in the following code.</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="class B extends RegExp {
constructor(source, flags) {
super(source, flags);
}
getName() {
return 'name';
}
}
new B('test', 'i').test('TeSt') // is true as should be
new B('test', 'i').test('TeSt') // throws error but should be "name""><pre class="notranslate"><span class="pl-k">class</span> <span class="pl-v">B</span> <span class="pl-k">extends</span> <span class="pl-v">RegExp</span> <span class="pl-kos">{</span>
<span class="pl-en">constructor</span><span class="pl-kos">(</span><span class="pl-s1">source</span><span class="pl-kos">,</span> <span class="pl-s1">flags</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-smi">super</span><span class="pl-kos">(</span><span class="pl-s1">source</span><span class="pl-kos">,</span> <span class="pl-s1">flags</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-en">getName</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">return</span> <span class="pl-s">'name'</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-kos">}</span>
<span class="pl-k">new</span> <span class="pl-v">B</span><span class="pl-kos">(</span><span class="pl-s">'test'</span><span class="pl-kos">,</span> <span class="pl-s">'i'</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">test</span><span class="pl-kos">(</span><span class="pl-s">'TeSt'</span><span class="pl-kos">)</span> <span class="pl-c">// is true as should be</span>
<span class="pl-k">new</span> <span class="pl-v">B</span><span class="pl-kos">(</span><span class="pl-s">'test'</span><span class="pl-kos">,</span> <span class="pl-s">'i'</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">test</span><span class="pl-kos">(</span><span class="pl-s">'TeSt'</span><span class="pl-kos">)</span> <span class="pl-c">// throws error but should be "name"</span></pre></div> | 1 |
<h1 dir="auto">EDIT by <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/hzoo/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/hzoo">@hzoo</a>: make sure babel-core is >= 6.26.0, and in general keep the babel deps the same version</h1>
<p dir="auto">Transform Generator Plugin Fails</p>
<h3 dir="auto">Input Code</h3>
<p dir="auto">I grab the lastest version of babel:</p>
<p dir="auto">....<br>
[email protected] node_modules/babel-plugin-transform-object-rest-spread<br>
├── [email protected]<br>
└── [email protected] ([email protected], [email protected])</p>
<p dir="auto">[email protected] node_modules/babel-preset-es2015<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected], [email protected], [email protected])<br>
├── [email protected] ([email protected], [email protected], [email protected])<br>
├── [email protected] ([email protected], [email protected])<br>
├── [email protected] ([email protected], [email protected])<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected], [email protected], [email protected])<br>
├── [email protected] ([email protected], [email protected])<br>
├── [email protected] ([email protected], [email protected])<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected], [email protected], [email protected], [email protected], [email protected], [email protected])<br>
├── [email protected] ([email protected], [email protected], [email protected], [email protected])<br>
├── [email protected] ([email protected], [email protected], [email protected], [email protected])<br>
├── [email protected] ([email protected], [email protected], [email protected], [email protected], [email protected], [email protected], [email protected], [email protected], [email protected])<br>
└── [email protected] ([email protected])</p>
<p dir="auto">[email protected] node_modules/babel-core<br>
├── [email protected]<br>
├── [email protected]<br>
├── [email protected]<br>
├── [email protected]<br>
├── [email protected]<br>
├── [email protected]<br>
├── [email protected] ([email protected], [email protected])<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected])<br>
├── [email protected]<br>
├── [email protected]<br>
├── [email protected]<br>
├── [email protected]<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected], [email protected], [email protected], [email protected], [email protected], [email protected], [email protected])<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected], [email protected])<br>
├── [email protected] ([email protected])<br>
├── [email protected] ([email protected], [email protected], [email protected], [email protected], [email protected])<br>
├── [email protected] ([email protected], [email protected], [email protected], [email protected])<br>
└── [email protected] ([email protected], [email protected], [email protected], [email protected])</p>
<p dir="auto">When i try and transpile my code:<br>
Module build failed: Error: Plugin 20 specified in "/my app folder/node_modules/babel-preset-es2015/index.js" provided an invalid property of "name"<br>
at Plugin.init (/my app folder/node_modules/babel-core/lib/transformation/plugin.js:115:13)<br>
at Function.normalisePlugin (/my app folder/node_modules/babel-core/lib/transformation/file/options/option-manager.js:149:12)<br>
at /my app folder/node_modules/babel-core/lib/transformation/file/options/option-manager.js:183:30<br>
at Array.map (native)<br>
at Function.normalisePlugins (/my app folder/node_modules/babel-core/lib/transformation/file/options/option-manager.js:155:20)<br>
at OptionManager.mergeOptions (/my app folder/node_modules/babel-core/lib/transformation/file/options/option-manager.js:277:36)<br>
at /my app folder/node_modules/babel-core/lib/transformation/file/options/option-manager.js:349:14<br>
at /my app folder/node_modules/babel-core/lib/transformation/file/options/option-manager.js:369:24<br>
at Array.map (native)<br>
at OptionManager.resolvePresets (/my app folder/node_modules/babel-core/lib/transformation/file/options/option-manager.js:364:20)<br>
at OptionManager.mergePresets (/my app folder/node_modules/babel-core/lib/transformation/file/options/option-manager.js:348:10)<br>
at OptionManager.mergeOptions (/my app folder/node_modules/babel-core/lib/transformation/file/options/option-manager.js:307:14)<br>
at OptionManager.init (/my app folder/node_modules/babel-core/lib/transformation/file/options/option-manager.js:465:10)<br>
at File.initOptions (/my app folder/node_modules/babel-core/lib/transformation/file/index.js:194:75)<br>
at new File (/my app folder/node_modules/babel-core/lib/transformation/file/index.js:123:22)<br>
at Pipeline.transform (/my app folder/node_modules/babel-core/lib/transformation/pipeline.js:45:16)</p>
<p dir="auto">I assume that plugin 20 is:<br>
[email protected] ([email protected])</p>
<h3 dir="auto">Babel Configuration (.babelrc, package.json, cli command)</h3>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" "babel-core": "~6.7.4",
"babel-loader": "~6.2.4",
"babel-plugin-resolver": "^1.0.0",
"babel-plugin-transform-object-rest-spread": "^6.8.0",
"babel-preset-es2015": "~6.6.0","><pre class="notranslate"> <span class="pl-s">"babel-core"</span>: <span class="pl-s">"~6.7.4"</span><span class="pl-kos">,</span>
<span class="pl-s">"babel-loader"</span>: <span class="pl-s">"~6.2.4"</span><span class="pl-kos">,</span>
<span class="pl-s">"babel-plugin-resolver"</span>: <span class="pl-s">"^1.0.0"</span><span class="pl-kos">,</span>
<span class="pl-s">"babel-plugin-transform-object-rest-spread"</span>: <span class="pl-s">"^6.8.0"</span><span class="pl-kos">,</span>
<span class="pl-s">"babel-preset-es2015"</span>: <span class="pl-s">"~6.6.0"</span><span class="pl-kos">,</span></pre></div>
<h3 dir="auto">Expected Behavior</h3>
<p dir="auto">It shouldn't barf</p>
<h3 dir="auto">Current Behavior</h3>
<p dir="auto">Barfs</p>
<h3 dir="auto">Context</h3>
<p dir="auto">Can't build</p>
<h3 dir="auto">Your Environment</h3>
<p dir="auto">Nothing special. I have a build server where I am getting the latest version of all my dependencies during each run.</p>
<table role="table">
<thead>
<tr>
<th>software</th>
<th>version(s)</th>
</tr>
</thead>
<tbody>
<tr>
<td>Babel</td>
<td>[email protected]</td>
</tr>
<tr>
<td>node</td>
<td>v0.10.46</td>
</tr>
<tr>
<td>npm</td>
<td>2.12.0</td>
</tr>
<tr>
<td>Operating System</td>
<td>linux</td>
</tr>
</tbody>
</table> | <h1 dir="auto">v7 Regression</h1>
<p dir="auto"><strong>Describe the regression</strong><br>
When I want to upgrade my project to use Babel V7 with suggest way, my project can't upgrade successfully with some error code.</p>
<p dir="auto">my Babel Configuration :</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="{
"presets": [
["@babel/preset-env", {
"modules": false,
"targets": {
"browsers": ["> 1%", "last 2 versions", "not ie <= 8"]
},
"useBuiltIns": "usage",
"corejs": 3,
}],
"@babel/preset-react"
],
"plugins": [
"@babel/plugin-transform-runtime",
["@babel/plugin-proposal-decorators", { "legacy": true }],
["@babel/plugin-proposal-class-properties", { "loose" : true }],
"@babel/plugin-proposal-object-rest-spread",
"@babel/plugin-syntax-dynamic-import",
"react-hot-loader/babel"
]
}"><pre class="notranslate"><span class="pl-kos">{</span>
<span class="pl-s">"presets"</span>: <span class="pl-kos">[</span>
<span class="pl-kos">[</span><span class="pl-s">"@babel/preset-env"</span><span class="pl-kos">,</span> <span class="pl-kos">{</span>
<span class="pl-s">"modules"</span>: <span class="pl-c1">false</span><span class="pl-kos">,</span>
<span class="pl-s">"targets"</span>: <span class="pl-kos">{</span>
<span class="pl-s">"browsers"</span>: <span class="pl-kos">[</span><span class="pl-s">"> 1%"</span><span class="pl-kos">,</span> <span class="pl-s">"last 2 versions"</span><span class="pl-kos">,</span> <span class="pl-s">"not ie <= 8"</span><span class="pl-kos">]</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-s">"useBuiltIns"</span>: <span class="pl-s">"usage"</span><span class="pl-kos">,</span>
<span class="pl-s">"corejs"</span>: <span class="pl-c1">3</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">]</span><span class="pl-kos">,</span>
<span class="pl-s">"@babel/preset-react"</span>
<span class="pl-kos">]</span><span class="pl-kos">,</span>
<span class="pl-s">"plugins"</span>: <span class="pl-kos">[</span>
<span class="pl-s">"@babel/plugin-transform-runtime"</span><span class="pl-kos">,</span>
<span class="pl-kos">[</span><span class="pl-s">"@babel/plugin-proposal-decorators"</span><span class="pl-kos">,</span> <span class="pl-kos">{</span> <span class="pl-s">"legacy"</span>: <span class="pl-c1">true</span> <span class="pl-kos">}</span><span class="pl-kos">]</span><span class="pl-kos">,</span>
<span class="pl-kos">[</span><span class="pl-s">"@babel/plugin-proposal-class-properties"</span><span class="pl-kos">,</span> <span class="pl-kos">{</span> <span class="pl-s">"loose"</span> : <span class="pl-c1">true</span> <span class="pl-kos">}</span><span class="pl-kos">]</span><span class="pl-kos">,</span>
<span class="pl-s">"@babel/plugin-proposal-object-rest-spread"</span><span class="pl-kos">,</span>
<span class="pl-s">"@babel/plugin-syntax-dynamic-import"</span><span class="pl-kos">,</span>
<span class="pl-s">"react-hot-loader/babel"</span>
<span class="pl-kos">]</span>
<span class="pl-kos">}</span></pre></div>
<p dir="auto">package.json:</p>
<div class="highlight highlight-source-json notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" "devDependencies": {
"@babel/core": "^7.4.5",
"@babel/plugin-proposal-class-properties": "^7.4.4",
"@babel/plugin-proposal-decorators": "^7.4.4",
"@babel/plugin-proposal-object-rest-spread": "^7.0.0",
"@babel/plugin-syntax-dynamic-import": "^7.0.0",
"@babel/plugin-transform-runtime": "^7.0.0",
"@babel/preset-env": "^7.4.5",
"@babel/preset-react": "^7.0.0",
"autoprefixer": "^8.6.1",
"babel-eslint": "^9.0.0",
"babel-loader": "^8.0.6",
"babel-plugin-module-resolver": "^3.1.1",
"core-js": "^3.1.3",
"css-loader": "^2.1.1",
"html-webpack-plugin": "^3.2.0",
"less": "^3.0.4",
"less-loader": "^4.1.0",
"mini-css-extract-plugin": "^0.4.2",
"node-sass": "^4.9.0",
"optimize-css-assets-webpack-plugin": "^5.0.1",
"postcss-loader": "^2.1.5",
"react-hot-loader": "^4.3.12",
"react-loadable": "^5.5.0",
"style-loader": "^0.21.0",
"uglifyjs-webpack-plugin": "^1.2.5",
"webpack": "^4.18.0",
"webpack-cli": "^3.0.2",
"webpack-dev-middleware": "^3.3.0",
"webpack-dev-server": "^3.1.14",
"webpack-merge": "^4.1.2"
},
"dependencies": {
"@babel/polyfill": "^7.4.4",
"@babel/runtime": "^7.0.0",
"@material-ui/core": "^3.9.1",
"@material-ui/icons": "^3.0.1",
"antd": "^3.19.1",
"browserslist": "^4.4.2",
"classnames": "^2.2.6",
"detect-browser": "^4.1.0",
"lodash": "^4.17.10",
"moment": "^2.22.2",
"normalize.css": "^8.0.0",
"prop-types": "^15.6.2",
"react": "^16.5.0",
"react-dom": "^16.5.0",
"react-redux": "^5.0.7",
"react-router-dom": "^4.3.1",
"redux": "^4.0.0",
"styled-components": "^3.4.6"
}
}"><pre class="notranslate"> <span class="pl-ent">"devDependencies"</span>: {
<span class="pl-ent">"@babel/core"</span>: <span class="pl-s"><span class="pl-pds">"</span>^7.4.5<span class="pl-pds">"</span></span>,
<span class="pl-ent">"@babel/plugin-proposal-class-properties"</span>: <span class="pl-s"><span class="pl-pds">"</span>^7.4.4<span class="pl-pds">"</span></span>,
<span class="pl-ent">"@babel/plugin-proposal-decorators"</span>: <span class="pl-s"><span class="pl-pds">"</span>^7.4.4<span class="pl-pds">"</span></span>,
<span class="pl-ent">"@babel/plugin-proposal-object-rest-spread"</span>: <span class="pl-s"><span class="pl-pds">"</span>^7.0.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"@babel/plugin-syntax-dynamic-import"</span>: <span class="pl-s"><span class="pl-pds">"</span>^7.0.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"@babel/plugin-transform-runtime"</span>: <span class="pl-s"><span class="pl-pds">"</span>^7.0.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"@babel/preset-env"</span>: <span class="pl-s"><span class="pl-pds">"</span>^7.4.5<span class="pl-pds">"</span></span>,
<span class="pl-ent">"@babel/preset-react"</span>: <span class="pl-s"><span class="pl-pds">"</span>^7.0.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"autoprefixer"</span>: <span class="pl-s"><span class="pl-pds">"</span>^8.6.1<span class="pl-pds">"</span></span>,
<span class="pl-ent">"babel-eslint"</span>: <span class="pl-s"><span class="pl-pds">"</span>^9.0.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"babel-loader"</span>: <span class="pl-s"><span class="pl-pds">"</span>^8.0.6<span class="pl-pds">"</span></span>,
<span class="pl-ent">"babel-plugin-module-resolver"</span>: <span class="pl-s"><span class="pl-pds">"</span>^3.1.1<span class="pl-pds">"</span></span>,
<span class="pl-ent">"core-js"</span>: <span class="pl-s"><span class="pl-pds">"</span>^3.1.3<span class="pl-pds">"</span></span>,
<span class="pl-ent">"css-loader"</span>: <span class="pl-s"><span class="pl-pds">"</span>^2.1.1<span class="pl-pds">"</span></span>,
<span class="pl-ent">"html-webpack-plugin"</span>: <span class="pl-s"><span class="pl-pds">"</span>^3.2.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"less"</span>: <span class="pl-s"><span class="pl-pds">"</span>^3.0.4<span class="pl-pds">"</span></span>,
<span class="pl-ent">"less-loader"</span>: <span class="pl-s"><span class="pl-pds">"</span>^4.1.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"mini-css-extract-plugin"</span>: <span class="pl-s"><span class="pl-pds">"</span>^0.4.2<span class="pl-pds">"</span></span>,
<span class="pl-ent">"node-sass"</span>: <span class="pl-s"><span class="pl-pds">"</span>^4.9.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"optimize-css-assets-webpack-plugin"</span>: <span class="pl-s"><span class="pl-pds">"</span>^5.0.1<span class="pl-pds">"</span></span>,
<span class="pl-ent">"postcss-loader"</span>: <span class="pl-s"><span class="pl-pds">"</span>^2.1.5<span class="pl-pds">"</span></span>,
<span class="pl-ent">"react-hot-loader"</span>: <span class="pl-s"><span class="pl-pds">"</span>^4.3.12<span class="pl-pds">"</span></span>,
<span class="pl-ent">"react-loadable"</span>: <span class="pl-s"><span class="pl-pds">"</span>^5.5.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"style-loader"</span>: <span class="pl-s"><span class="pl-pds">"</span>^0.21.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"uglifyjs-webpack-plugin"</span>: <span class="pl-s"><span class="pl-pds">"</span>^1.2.5<span class="pl-pds">"</span></span>,
<span class="pl-ent">"webpack"</span>: <span class="pl-s"><span class="pl-pds">"</span>^4.18.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"webpack-cli"</span>: <span class="pl-s"><span class="pl-pds">"</span>^3.0.2<span class="pl-pds">"</span></span>,
<span class="pl-ent">"webpack-dev-middleware"</span>: <span class="pl-s"><span class="pl-pds">"</span>^3.3.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"webpack-dev-server"</span>: <span class="pl-s"><span class="pl-pds">"</span>^3.1.14<span class="pl-pds">"</span></span>,
<span class="pl-ent">"webpack-merge"</span>: <span class="pl-s"><span class="pl-pds">"</span>^4.1.2<span class="pl-pds">"</span></span>
},
<span class="pl-ent">"dependencies"</span>: {
<span class="pl-ent">"@babel/polyfill"</span>: <span class="pl-s"><span class="pl-pds">"</span>^7.4.4<span class="pl-pds">"</span></span>,
<span class="pl-ent">"@babel/runtime"</span>: <span class="pl-s"><span class="pl-pds">"</span>^7.0.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"@material-ui/core"</span>: <span class="pl-s"><span class="pl-pds">"</span>^3.9.1<span class="pl-pds">"</span></span>,
<span class="pl-ent">"@material-ui/icons"</span>: <span class="pl-s"><span class="pl-pds">"</span>^3.0.1<span class="pl-pds">"</span></span>,
<span class="pl-ent">"antd"</span>: <span class="pl-s"><span class="pl-pds">"</span>^3.19.1<span class="pl-pds">"</span></span>,
<span class="pl-ent">"browserslist"</span>: <span class="pl-s"><span class="pl-pds">"</span>^4.4.2<span class="pl-pds">"</span></span>,
<span class="pl-ent">"classnames"</span>: <span class="pl-s"><span class="pl-pds">"</span>^2.2.6<span class="pl-pds">"</span></span>,
<span class="pl-ent">"detect-browser"</span>: <span class="pl-s"><span class="pl-pds">"</span>^4.1.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"lodash"</span>: <span class="pl-s"><span class="pl-pds">"</span>^4.17.10<span class="pl-pds">"</span></span>,
<span class="pl-ent">"moment"</span>: <span class="pl-s"><span class="pl-pds">"</span>^2.22.2<span class="pl-pds">"</span></span>,
<span class="pl-ent">"normalize.css"</span>: <span class="pl-s"><span class="pl-pds">"</span>^8.0.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"prop-types"</span>: <span class="pl-s"><span class="pl-pds">"</span>^15.6.2<span class="pl-pds">"</span></span>,
<span class="pl-ent">"react"</span>: <span class="pl-s"><span class="pl-pds">"</span>^16.5.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"react-dom"</span>: <span class="pl-s"><span class="pl-pds">"</span>^16.5.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"react-redux"</span>: <span class="pl-s"><span class="pl-pds">"</span>^5.0.7<span class="pl-pds">"</span></span>,
<span class="pl-ent">"react-router-dom"</span>: <span class="pl-s"><span class="pl-pds">"</span>^4.3.1<span class="pl-pds">"</span></span>,
<span class="pl-ent">"redux"</span>: <span class="pl-s"><span class="pl-pds">"</span>^4.0.0<span class="pl-pds">"</span></span>,
<span class="pl-ent">"styled-components"</span>: <span class="pl-s"><span class="pl-pds">"</span>^3.4.6<span class="pl-pds">"</span></span>
}
<span class="pl-ii">}</span></pre></div>
<p dir="auto">Because I want to use the useBuiltIns feature, so I fallowed the terminal console suggestion to install the core-js@3</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="WARNING: We noticed you're using the `useBuiltIns` option without declaring a core-js version. Currently, we assume version 2.x when no version is passed. Since this default version will likely change in future versions of Babel, we recommend explicitly setting the core-js version you are using via the `corejs` option.
You should also be sure that the version you pass to the `corejs` option matches the version specified in your `package.json`'s `dependencies` section. If it doesn't, you need to run one of the following commands:
npm install --save core-js@2 npm install --save core-js@3
yarn add core-js@2 yarn add core-js@3"><pre class="notranslate"><code class="notranslate">WARNING: We noticed you're using the `useBuiltIns` option without declaring a core-js version. Currently, we assume version 2.x when no version is passed. Since this default version will likely change in future versions of Babel, we recommend explicitly setting the core-js version you are using via the `corejs` option.
You should also be sure that the version you pass to the `corejs` option matches the version specified in your `package.json`'s `dependencies` section. If it doesn't, you need to run one of the following commands:
npm install --save core-js@2 npm install --save core-js@3
yarn add core-js@2 yarn add core-js@3
</code></pre></div>
<p dir="auto">error code:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="ERROR in ./node_modules/babel-runtime/core-js/array/from.js
Module not found: Error: Can't resolve 'core-js/library/fn/array/from' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/array'
@ ./node_modules/babel-runtime/core-js/array/from.js 1:30-70
@ ./node_modules/babel-runtime/helpers/toConsumableArray.js
@ ./node_modules/rc-slider/es/Range.js
@ ./node_modules/antd/es/slider/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/object/assign.js
Module not found: Error: Can't resolve 'core-js/library/fn/object/assign' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/object'
@ ./node_modules/babel-runtime/core-js/object/assign.js 1:30-73
@ ./node_modules/babel-runtime/helpers/extends.js
@ ./node_modules/omit.js/es/index.js
@ ./node_modules/antd/es/affix/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/object/create.js
Module not found: Error: Can't resolve 'core-js/library/fn/object/create' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/object'
@ ./node_modules/babel-runtime/core-js/object/create.js 1:30-73
@ ./node_modules/babel-runtime/helpers/inherits.js
@ ./node_modules/rc-tooltip/es/Tooltip.js
@ ./node_modules/rc-tooltip/es/index.js
@ ./node_modules/antd/es/tooltip/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/object/define-property.js
Module not found: Error: Can't resolve 'core-js/library/fn/object/define-property' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/object'
@ ./node_modules/babel-runtime/core-js/object/define-property.js 1:30-82
@ ./node_modules/babel-runtime/helpers/defineProperty.js
@ ./node_modules/rc-animate/es/Animate.js
@ ./node_modules/antd/es/upload/UploadList.js
@ ./node_modules/antd/es/upload/Upload.js
@ ./node_modules/antd/es/upload/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/object/get-own-property-descriptor.js
Module not found: Error: Can't resolve 'core-js/library/fn/object/get-own-property-descriptor' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/object'
@ ./node_modules/babel-runtime/core-js/object/get-own-property-descriptor.js 1:30-94
@ ./node_modules/babel-runtime/helpers/get.js
@ ./node_modules/rc-slider/es/common/createSlider.js
@ ./node_modules/rc-slider/es/Range.js
@ ./node_modules/antd/es/slider/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/object/get-prototype-of.js
Module not found: Error: Can't resolve 'core-js/library/fn/object/get-prototype-of' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/object'
@ ./node_modules/babel-runtime/core-js/object/get-prototype-of.js 1:30-83
@ ./node_modules/babel-runtime/helpers/get.js
@ ./node_modules/rc-slider/es/common/createSlider.js
@ ./node_modules/rc-slider/es/Range.js
@ ./node_modules/antd/es/slider/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/object/set-prototype-of.js
Module not found: Error: Can't resolve 'core-js/library/fn/object/set-prototype-of' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/object'
@ ./node_modules/babel-runtime/core-js/object/set-prototype-of.js 1:30-83
@ ./node_modules/babel-runtime/helpers/inherits.js
@ ./node_modules/rc-tooltip/es/Tooltip.js
@ ./node_modules/rc-tooltip/es/index.js
@ ./node_modules/antd/es/tooltip/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/symbol.js
Module not found: Error: Can't resolve 'core-js/library/fn/symbol' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js'
@ ./node_modules/babel-runtime/core-js/symbol.js 1:30-66
@ ./node_modules/babel-runtime/helpers/typeof.js
@ ./node_modules/babel-runtime/helpers/inherits.js
@ ./node_modules/rc-tooltip/es/Tooltip.js
@ ./node_modules/rc-tooltip/es/index.js
@ ./node_modules/antd/es/tooltip/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/symbol/iterator.js
Module not found: Error: Can't resolve 'core-js/library/fn/symbol/iterator' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/symbol'
@ ./node_modules/babel-runtime/core-js/symbol/iterator.js 1:30-75
@ ./node_modules/babel-runtime/helpers/typeof.js
@ ./node_modules/babel-runtime/helpers/inherits.js
@ ./node_modules/rc-tooltip/es/Tooltip.js
@ ./node_modules/rc-tooltip/es/index.js
@ ./node_modules/antd/es/tooltip/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
Child html-webpack-plugin for "index.html":
1 asset
Entrypoint undefined = index.html
[LvDl] ./node_modules/lodash/lodash.js 527 KiB {0} [built]
[MFLM] ./node_modules/html-webpack-plugin/lib/loader.js!./src/index.html 939 bytes {0} [built]
[YuTi] (webpack)/buildin/module.js 497 bytes {0} [built]
[yLpj] (webpack)/buildin/global.js 472 bytes {0} [built]
ℹ 「wdm」: Failed to compile."><pre class="notranslate"><code class="notranslate">ERROR in ./node_modules/babel-runtime/core-js/array/from.js
Module not found: Error: Can't resolve 'core-js/library/fn/array/from' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/array'
@ ./node_modules/babel-runtime/core-js/array/from.js 1:30-70
@ ./node_modules/babel-runtime/helpers/toConsumableArray.js
@ ./node_modules/rc-slider/es/Range.js
@ ./node_modules/antd/es/slider/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/object/assign.js
Module not found: Error: Can't resolve 'core-js/library/fn/object/assign' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/object'
@ ./node_modules/babel-runtime/core-js/object/assign.js 1:30-73
@ ./node_modules/babel-runtime/helpers/extends.js
@ ./node_modules/omit.js/es/index.js
@ ./node_modules/antd/es/affix/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/object/create.js
Module not found: Error: Can't resolve 'core-js/library/fn/object/create' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/object'
@ ./node_modules/babel-runtime/core-js/object/create.js 1:30-73
@ ./node_modules/babel-runtime/helpers/inherits.js
@ ./node_modules/rc-tooltip/es/Tooltip.js
@ ./node_modules/rc-tooltip/es/index.js
@ ./node_modules/antd/es/tooltip/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/object/define-property.js
Module not found: Error: Can't resolve 'core-js/library/fn/object/define-property' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/object'
@ ./node_modules/babel-runtime/core-js/object/define-property.js 1:30-82
@ ./node_modules/babel-runtime/helpers/defineProperty.js
@ ./node_modules/rc-animate/es/Animate.js
@ ./node_modules/antd/es/upload/UploadList.js
@ ./node_modules/antd/es/upload/Upload.js
@ ./node_modules/antd/es/upload/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/object/get-own-property-descriptor.js
Module not found: Error: Can't resolve 'core-js/library/fn/object/get-own-property-descriptor' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/object'
@ ./node_modules/babel-runtime/core-js/object/get-own-property-descriptor.js 1:30-94
@ ./node_modules/babel-runtime/helpers/get.js
@ ./node_modules/rc-slider/es/common/createSlider.js
@ ./node_modules/rc-slider/es/Range.js
@ ./node_modules/antd/es/slider/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/object/get-prototype-of.js
Module not found: Error: Can't resolve 'core-js/library/fn/object/get-prototype-of' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/object'
@ ./node_modules/babel-runtime/core-js/object/get-prototype-of.js 1:30-83
@ ./node_modules/babel-runtime/helpers/get.js
@ ./node_modules/rc-slider/es/common/createSlider.js
@ ./node_modules/rc-slider/es/Range.js
@ ./node_modules/antd/es/slider/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/object/set-prototype-of.js
Module not found: Error: Can't resolve 'core-js/library/fn/object/set-prototype-of' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/object'
@ ./node_modules/babel-runtime/core-js/object/set-prototype-of.js 1:30-83
@ ./node_modules/babel-runtime/helpers/inherits.js
@ ./node_modules/rc-tooltip/es/Tooltip.js
@ ./node_modules/rc-tooltip/es/index.js
@ ./node_modules/antd/es/tooltip/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/symbol.js
Module not found: Error: Can't resolve 'core-js/library/fn/symbol' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js'
@ ./node_modules/babel-runtime/core-js/symbol.js 1:30-66
@ ./node_modules/babel-runtime/helpers/typeof.js
@ ./node_modules/babel-runtime/helpers/inherits.js
@ ./node_modules/rc-tooltip/es/Tooltip.js
@ ./node_modules/rc-tooltip/es/index.js
@ ./node_modules/antd/es/tooltip/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
ERROR in ./node_modules/babel-runtime/core-js/symbol/iterator.js
Module not found: Error: Can't resolve 'core-js/library/fn/symbol/iterator' in '/Users/neinei/project/wistron/T1-project/wiBioWeb/node_modules/babel-runtime/core-js/symbol'
@ ./node_modules/babel-runtime/core-js/symbol/iterator.js 1:30-75
@ ./node_modules/babel-runtime/helpers/typeof.js
@ ./node_modules/babel-runtime/helpers/inherits.js
@ ./node_modules/rc-tooltip/es/Tooltip.js
@ ./node_modules/rc-tooltip/es/index.js
@ ./node_modules/antd/es/tooltip/index.js
@ ./node_modules/antd/es/index.js
@ ./src/containers/Admin/AdminHome/AdminHome.js
@ ./src/containers/Main/Main.js
@ ./src/App.js
@ ./src/index.js
Child html-webpack-plugin for "index.html":
1 asset
Entrypoint undefined = index.html
[LvDl] ./node_modules/lodash/lodash.js 527 KiB {0} [built]
[MFLM] ./node_modules/html-webpack-plugin/lib/loader.js!./src/index.html 939 bytes {0} [built]
[YuTi] (webpack)/buildin/module.js 497 bytes {0} [built]
[yLpj] (webpack)/buildin/global.js 472 bytes {0} [built]
ℹ 「wdm」: Failed to compile.
</code></pre></div>
<p dir="auto"><strong>find other node_modules - antd use babel-runtime v6.x that use core-js v2</strong><br>
<a href="https://github.com/ant-design/ant-design/blob/master/package.json">antd package.json</a><br>
<a href="https://github.com/babel/babel/blob/6.x/packages/babel-runtime/package.json">babel-runtime v6.X package.json</a></p>
<p dir="auto">Maybe the error is the antd's babel-runtime v6.x (use core-js V2) and babel 7 useBuiltIns I choose core-js 3 caused.</p>
<p dir="auto">So I installed core-js@2 into my project, then fixed this error. Compiled successfully.</p>
<p dir="auto"><strong>I'm just speculating for that you cannot use <code class="notranslate">useBuiltIns</code> with core-js v3 when project used node_modules does't upgrade their babel to v7 OR You have to check all of used node_modules don't use any core-js v2 when you want to installed core-js v3 in your project</strong></p>
<p dir="auto"><strong>Environment</strong></p>
<ul dir="auto">
<li>Babel version(s): v7.4.5</li>
<li>Node/npm version: Node v10.13.0 / npm v6.4.1</li>
<li>OS: Mojave 10.14</li>
<li>Monorepo no</li>
<li>How you are using Babel: loader</li>
</ul>
<p dir="auto">PS. I have create a <a href="https://github.com/satsuya0114/react-webpack-startkit-babel-7">new repo</a> to duplicate this issue.</p> | 0 |
<p dir="auto">Is the following intended or a bug?<br>
I was surprised, because changing <code class="notranslate">1:4</code> to <code class="notranslate">:</code> changed the output type. I expected to see the same vector of vectors in both cases.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="julia> v
2×4 Array{Complex{Float64},2}:
-1.0+0.0im 0.739183+0.196401im 0.739183-0.196401im 0.627138+0.0im
0.821812+0.0im -0.501408+0.375337im -0.501408-0.375337im 1.0+0.0im
julia> getindex.(Ref(v), Ref(:), 1:4)
4-element Array{Array{Complex{Float64},1},1}:
[-1.0 + 0.0im, 0.8218121719277804 + 0.0im]
[0.7391830349599989 + 0.1964008799517751im, -0.501407601380187 + 0.37533731526626024im]
[0.7391830349599989 - 0.1964008799517751im, -0.501407601380187 - 0.37533731526626024im]
[0.6271384123034096 + 0.0im, 1.0 + 0.0im]
julia> getindex.(Ref(v), Ref(:), :)
2×4 Array{Complex{Float64},2}:
-1.0+0.0im 0.739183+0.196401im 0.739183-0.196401im 0.627138+0.0im
0.821812+0.0im -0.501408+0.375337im -0.501408-0.375337im 1.0+0.0im
julia> "><pre class="notranslate"><code class="notranslate">julia> v
2×4 Array{Complex{Float64},2}:
-1.0+0.0im 0.739183+0.196401im 0.739183-0.196401im 0.627138+0.0im
0.821812+0.0im -0.501408+0.375337im -0.501408-0.375337im 1.0+0.0im
julia> getindex.(Ref(v), Ref(:), 1:4)
4-element Array{Array{Complex{Float64},1},1}:
[-1.0 + 0.0im, 0.8218121719277804 + 0.0im]
[0.7391830349599989 + 0.1964008799517751im, -0.501407601380187 + 0.37533731526626024im]
[0.7391830349599989 - 0.1964008799517751im, -0.501407601380187 - 0.37533731526626024im]
[0.6271384123034096 + 0.0im, 1.0 + 0.0im]
julia> getindex.(Ref(v), Ref(:), :)
2×4 Array{Complex{Float64},2}:
-1.0+0.0im 0.739183+0.196401im 0.739183-0.196401im 0.627138+0.0im
0.821812+0.0im -0.501408+0.375337im -0.501408-0.375337im 1.0+0.0im
julia>
</code></pre></div> | <p dir="auto">After downloading the official dmg from the website, I was surprised to find that the test suite does not pass on aarch64-darwin (aka M1 aka apple silicon aka macOS on ARM etc). I ran <code class="notranslate">bin/julia --check-bounds=yes --startup-file=no --depwarn=error share/julia/test/runtests.jl</code> from the Contents/Resources/julia directory. To summarize I'm seeing the following failures:</p>
<ul dir="auto">
<li>segfault in julia/test/strings/basic.jl:228</li>
<li>segfault in julia/test/iterators.jl:358</li>
<li>segfault in julia/test/mpfr.jl:931</li>
<li>test failures in julia/test/errorshow.jl</li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Test Failed at /Users/samuelainsworth/Downloads/Julia-1.7.app/Contents/Resources/julia/share/julia/test/errorshow.jl:781
Expression: occursin(r"repeats \d+ times", bt_str)
Evaluated: occursin(r"repeats \d+ times", "\nStacktrace:\n [1] single_repeater()\n @ Main.Test14Main_errorshow ~/Downloads/Julia-1.7.app/Contents/Resources/julia/share/julia/test/errorshow.jl:771")
Test Failed at /Users/samuelainsworth/Downloads/Julia-1.7.app/Contents/Resources/julia/share/julia/test/errorshow.jl:789
Expression: occursin(r"the last 2 lines are repeated \d+ more times", bt_str)
Evaluated: occursin(r"the last 2 lines are repeated \d+ more times", "\nStacktrace:\n [1] pair_repeater_a()\n @ Main.Test14Main_errorshow ~/Downloads/Julia-1.7.app/Contents/Resources/julia/share/julia/test/errorshow.jl:772")"><pre class="notranslate"><code class="notranslate">Test Failed at /Users/samuelainsworth/Downloads/Julia-1.7.app/Contents/Resources/julia/share/julia/test/errorshow.jl:781
Expression: occursin(r"repeats \d+ times", bt_str)
Evaluated: occursin(r"repeats \d+ times", "\nStacktrace:\n [1] single_repeater()\n @ Main.Test14Main_errorshow ~/Downloads/Julia-1.7.app/Contents/Resources/julia/share/julia/test/errorshow.jl:771")
Test Failed at /Users/samuelainsworth/Downloads/Julia-1.7.app/Contents/Resources/julia/share/julia/test/errorshow.jl:789
Expression: occursin(r"the last 2 lines are repeated \d+ more times", bt_str)
Evaluated: occursin(r"the last 2 lines are repeated \d+ more times", "\nStacktrace:\n [1] pair_repeater_a()\n @ Main.Test14Main_errorshow ~/Downloads/Julia-1.7.app/Contents/Resources/julia/share/julia/test/errorshow.jl:772")
</code></pre></div>
<ul dir="auto">
<li>test failure in julia/test/stacktraces.jl:51</li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Test Failed at /Users/samuelainsworth/Downloads/Julia-1.7.app/Contents/Resources/julia/share/julia/test/stacktraces.jl:51
Expression: StackTraces.lookup(C_NULL) == [StackTraces.UNKNOWN] == StackTraces.lookup(C_NULL + 1) == StackTraces.lookup(C_NULL - 1)
Evaluated: Base.StackTraces.StackFrame[ip:0x0] == Base.StackTraces.StackFrame[ip:0x0] == Base.StackTraces.StackFrame[ip:0x1] == Base.StackTraces.StackFrame[_dyld_private at julia:?]"><pre class="notranslate"><code class="notranslate">Test Failed at /Users/samuelainsworth/Downloads/Julia-1.7.app/Contents/Resources/julia/share/julia/test/stacktraces.jl:51
Expression: StackTraces.lookup(C_NULL) == [StackTraces.UNKNOWN] == StackTraces.lookup(C_NULL + 1) == StackTraces.lookup(C_NULL - 1)
Evaluated: Base.StackTraces.StackFrame[ip:0x0] == Base.StackTraces.StackFrame[ip:0x0] == Base.StackTraces.StackFrame[ip:0x1] == Base.StackTraces.StackFrame[_dyld_private at julia:?]
</code></pre></div>
<ul dir="auto">
<li>segfault in julia/stdlib/v1.7/SparseArrays/test/sparse.jl:166</li>
<li>segfault in julia/stdlib/v1.7/Printf/test/runtests.jl:5</li>
<li>segfault in julia/stdlib/v1.7/SuiteSparse/test/cholmod.jl:318</li>
<li>error during test in julia/test/testdefs.jl:21</li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Error During Test at /Users/samuelainsworth/Downloads/Julia-1.7.app/Contents/Resources/julia/share/julia/test/testdefs.jl:21
Got exception outside of a @test
LoadError: On worker 21:
SystemError: shm_open() failed for /jl008570nxTwrg2kyN0MULbsX4Ue: Permission denied"><pre class="notranslate"><code class="notranslate">Error During Test at /Users/samuelainsworth/Downloads/Julia-1.7.app/Contents/Resources/julia/share/julia/test/testdefs.jl:21
Got exception outside of a @test
LoadError: On worker 21:
SystemError: shm_open() failed for /jl008570nxTwrg2kyN0MULbsX4Ue: Permission denied
</code></pre></div>
<ul dir="auto">
<li>Test runner seems to hang after providing the test summary for InvasiveLinkedList followed by a <code class="notranslate">KILLING BY QUICK KILL WATCHDOG</code> warning/message</li>
</ul>
<p dir="auto">You can view the full logs here: <a href="https://gist.github.com/samuela/b24439841ecd52cc201dd1a60d3b1d6f">https://gist.github.com/samuela/b24439841ecd52cc201dd1a60d3b1d6f</a>. The whole test suite ran in about 20 minutes for me on the 10-core M1 Max.</p>
<p dir="auto">Related: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="655127468" data-permission-text="Title is private" data-url="https://github.com/JuliaLang/julia/issues/36617" data-hovercard-type="issue" data-hovercard-url="/JuliaLang/julia/issues/36617/hovercard" href="https://github.com/JuliaLang/julia/issues/36617">#36617</a></p> | 0 |
<p dir="auto">In the latest update (Version 0.10.3 (0.10.3) on Mac ), typing a number with a decimal autocompletes suggestions for other libraries in tsd.d.ts.</p>
<p dir="auto">Example attached shows attempt to type "0.1" and "1.1"</p>
<p dir="auto">"Power0" autocompletes with ease from tweenMax</p>
<p dir="auto">Seems to be no way past this without removing quickSuggestions.</p>
<p dir="auto">TSD has :</p>
<div class="highlight highlight-source-ts notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" /// <reference path="greensock/greensock.d.ts" />
/// <reference path="pixi.js/pixi.js.d.ts" />
/// <reference path="createjs-lib/createjs-lib.d.ts" />
/// <reference path="createjs/createjs.d.ts" />
/// <reference path="easeljs/easeljs.d.ts" />
/// <reference path="tweenjs/tweenjs.d.ts" />
///<reference path="requirejs/require.d.ts" />"><pre class="notranslate"> <span class="pl-c">/// <reference path="greensock/greensock.d.ts" /></span>
<span class="pl-c">/// <reference path="pixi.js/pixi.js.d.ts" /></span>
<span class="pl-c">/// <reference path="createjs-lib/createjs-lib.d.ts" /></span>
<span class="pl-c">/// <reference path="createjs/createjs.d.ts" /></span>
<span class="pl-c">/// <reference path="easeljs/easeljs.d.ts" /></span>
<span class="pl-c">/// <reference path="tweenjs/tweenjs.d.ts" /></span>
<span class="pl-c">///<reference path="requirejs/require.d.ts" /></span></pre></div>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/4097335/11683880/b4e2c18e-9e65-11e5-8f6d-0403dfd978da.gif"><img src="https://cloud.githubusercontent.com/assets/4097335/11683880/b4e2c18e-9e65-11e5-8f6d-0403dfd978da.gif" alt="vs-code-autocomplete" data-animated-image="" style="max-width: 100%;"></a></p> | <p dir="auto">I have custom key bindings like these</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="{ "key": ";", "command": "^acceptSelectedSuggestion", "when": "editorTextFocus && suggestWidgetVisible" },
{ "key": "space", "command": "^acceptSelectedSuggestion", "when": "editorTextFocus && suggestWidgetVisible" },
..."><pre class="notranslate"><code class="notranslate">{ "key": ";", "command": "^acceptSelectedSuggestion", "when": "editorTextFocus && suggestWidgetVisible" },
{ "key": "space", "command": "^acceptSelectedSuggestion", "when": "editorTextFocus && suggestWidgetVisible" },
...
</code></pre></div>
<p dir="auto">to mimic how autocomplete works in the full VS, however, this makes typing something like</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="var foo = 1;"><pre class="notranslate"><code class="notranslate">var foo = 1;
</code></pre></div>
<p dir="auto">difficult in JavaScript/TypeScript because when typing <code class="notranslate">1</code>, the suggestion widget eagerly appears with <code class="notranslate">Int16Array</code> and hitting <code class="notranslate">;</code> autcompletes to it and you end up with</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="var foo = Int16Array;"><pre class="notranslate"><code class="notranslate">var foo = Int16Array;
</code></pre></div> | 1 |
<ul dir="auto">
<li>Electron Version: 3.0.0-beta.1</li>
<li>Operating System (Platform and Version): MacOS High Sierra (10.13.4)</li>
<li>Last known working Electron version: 2.0.3</li>
</ul>
<p dir="auto"><strong>To Reproduce</strong></p>
<ol dir="auto">
<li>Add `titleBarStyle: 'hidden' as option while creating a new electron window</li>
<li>Add <code class="notranslate">-webkit-app-region: drag</code> style to the element by which the app window should move (header or whole body)</li>
<li>Run the app and try to move the app window</li>
</ol>
<p dir="auto"><strong>Additional Information</strong><br>
It works fine with the latest stable release (v2.0.3) but doesn't work with v3.0.0-beta.1</p> | <p dir="auto">The other issue is tagged V7 so I'm creating this for visibility.<br>
Link: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="516695919" data-permission-text="Title is private" data-url="https://github.com/electron/electron/issues/20933" data-hovercard-type="issue" data-hovercard-url="/electron/electron/issues/20933/hovercard" href="https://github.com/electron/electron/issues/20933">#20933</a></p>
<p dir="auto">Issue Details<br>
Electron Version:<br>
7 - 9, possibly above<br>
Operating System:<br>
Windows 10<br>
Last Known Working Electron version:<br>
6.0.7<br>
Expected Behavior<br>
BrowserWindow with alwaysOnTop should remain above other windows even after losing focus.</p>
<p dir="auto">Actual Behavior<br>
The BrowserWindow keeps focus when being launched but after changing properties on the window and losing focus, the window goes behind the focused window.</p>
<p dir="auto">To Reproduce<br>
You can reproduce using a small utility repo here: lacymorrow/crossover.</p>
<p dir="auto">The package.json starts with a working Electron v6.0.7.</p>
<p dir="auto">$ git clone <a href="https://github.com/lacymorrow/crossover.git">https://github.com/lacymorrow/crossover.git</a><br>
$ npm install<br>
$ npm start<br>
Test that window stays above other focused windows, and toggle a few times with CTRL+SHIFT+X.</p>
<p dir="auto">rm -rf node_modules and change the Electron version in package.json to 7.0.0</p>
<p dir="auto">$ npm install<br>
$ npm start<br>
Toggle with CTRL+SHIFT+X and focus another window. The Electron window loses focus.</p>
<p dir="auto">To see the problem immediately you can use the executable from the releases page here: lacymorrow/crossover/releases</p>
<p dir="auto">v0.2.12 Uses Electron v7 and exhibits the issue<br>
v0.2.13 Uses Electron v6.0.7 and works as expected</p> | 0 |
<p dir="auto"><strong>I'm submitting a ...</strong> (check one with "x")</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[x] bug report
[ ] feature request
[ ] support request => Please do not submit support request here, instead see https://github.com/angular/angular/blob/master/CONTRIBUTING.md#question"><pre class="notranslate"><code class="notranslate">[x] bug report
[ ] feature request
[ ] support request => Please do not submit support request here, instead see https://github.com/angular/angular/blob/master/CONTRIBUTING.md#question
</code></pre></div>
<p dir="auto"><strong>Current behavior</strong></p>
<p dir="auto">I am trying to create a custom component which I install using <code class="notranslate">npm install ./package_path</code>. However the templateUrl is loaded relative to the root of the dev server instead of relative to the package.</p>
<p dir="auto">I have read the documentation on component relative paths on the <a href="https://angular.io/docs/ts/latest/cookbook/component-relative-paths.html" rel="nofollow">Angular 2 Docs</a> as well as on Thoughtram.</p>
<p dir="auto">The component is being bundled as a commonjs module and <code class="notranslate">module.id</code> is added on the Component decorator.</p>
<p dir="auto">The only thought that came to mind is maybe it has something to do with the fact that <code class="notranslate">angular-cli</code> is using webpack and there is some disconnect between the two. However I imagine that would be a common problem and after searching issues in both <code class="notranslate">angular</code> and <code class="notranslate">angular-cli</code> I'm at a loss.</p>
<p dir="auto"><strong>Expected/desired behavior</strong></p>
<p dir="auto">To load relatively to the package.</p>
<p dir="auto"><strong>Please tell us about your environment:</strong></p>
<ul dir="auto">
<li><strong>Angular version:</strong> 2.0.0-rc.4</li>
<li><strong>Browser:</strong> all</li>
<li><strong>Language:</strong> Typescript 2.0</li>
</ul>
<p dir="auto">Typescript Code</p>
<div class="highlight highlight-source-ts notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import { Component, Input } from '@angular/core';
import { Card } from './card.model';
@Component({
moduleId: module.id,
selector: 'app-card',
templateUrl: './card.component.html',
styleUrls: ['./card.component.scss'],
})
export class CardComponent {
@Input() card: Card;
showBilling: boolean = false;
constructor() { }
toggleBillingAddressView(event: MouseEvent) {
event.preventDefault();
this.showBilling = !this.showBilling;
}"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-kos">{</span> <span class="pl-smi">Component</span><span class="pl-kos">,</span> <span class="pl-smi">Input</span> <span class="pl-kos">}</span> <span class="pl-k">from</span> <span class="pl-s">'@angular/core'</span><span class="pl-kos">;</span>
<span class="pl-k">import</span> <span class="pl-kos">{</span> <span class="pl-smi">Card</span> <span class="pl-kos">}</span> <span class="pl-k">from</span> <span class="pl-s">'./card.model'</span><span class="pl-kos">;</span>
@<span class="pl-smi">Component</span><span class="pl-kos">(</span><span class="pl-kos">{</span>
<span class="pl-c1">moduleId</span>: <span class="pl-smi">module</span><span class="pl-kos">.</span><span class="pl-c1">id</span><span class="pl-kos">,</span>
<span class="pl-c1">selector</span>: <span class="pl-s">'app-card'</span><span class="pl-kos">,</span>
<span class="pl-c1">templateUrl</span>: <span class="pl-s">'./card.component.html'</span><span class="pl-kos">,</span>
<span class="pl-c1">styleUrls</span>: <span class="pl-kos">[</span><span class="pl-s">'./card.component.scss'</span><span class="pl-kos">]</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span>
<span class="pl-k">export</span> <span class="pl-k">class</span> <span class="pl-smi">CardComponent</span> <span class="pl-kos">{</span>
@<span class="pl-smi">Input</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-c1">card</span>: <span class="pl-smi">Card</span><span class="pl-kos">;</span>
<span class="pl-c1">showBilling</span>: <span class="pl-smi">boolean</span> <span class="pl-c1">=</span> <span class="pl-c1">false</span><span class="pl-kos">;</span>
<span class="pl-en">constructor</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-kos">}</span>
<span class="pl-en">toggleBillingAddressView</span><span class="pl-kos">(</span><span class="pl-s1">event</span>: <span class="pl-smi">MouseEvent</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-s1">event</span><span class="pl-kos">.</span><span class="pl-en">preventDefault</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">showBilling</span> <span class="pl-c1">=</span> <span class="pl-c1">!</span><span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">showBilling</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos"></span></pre></div>
<p dir="auto">Transpiled ES5 commonJS code</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=""use strict";
var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) {
var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;
if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc);
else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;
return c > 3 && r && Object.defineProperty(target, key, r), r;
};
var __metadata = (this && this.__metadata) || function (k, v) {
if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v);
};
var core_1 = require('@angular/core');
var card_model_1 = require('./card.model');
var CardComponent = (function () {
function CardComponent() {
this.showBilling = false;
}
CardComponent.prototype.toggleBillingAddressView = function (event) {
event.preventDefault();
this.showBilling = !this.showBilling;
};
__decorate([
core_1.Input(),
__metadata('design:type', card_model_1.Card)
], CardComponent.prototype, "card", void 0);
CardComponent = __decorate([
core_1.Component({
moduleId: module.id,
selector: 'app-card',
templateUrl: 'card.component.html',
styleUrls: ['card.component.scss'],
}),
__metadata('design:paramtypes', [])
], CardComponent);
return CardComponent;
}());
exports.CardComponent = CardComponent;
//# sourceMappingURL=card.component.js.map"><pre class="notranslate"><span class="pl-s">"use strict"</span><span class="pl-kos">;</span>
<span class="pl-k">var</span> <span class="pl-s1">__decorate</span> <span class="pl-c1">=</span> <span class="pl-kos">(</span><span class="pl-smi">this</span> <span class="pl-c1">&&</span> <span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">__decorate</span><span class="pl-kos">)</span> <span class="pl-c1">||</span> <span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-s1">decorators</span><span class="pl-kos">,</span> <span class="pl-s1">target</span><span class="pl-kos">,</span> <span class="pl-s1">key</span><span class="pl-kos">,</span> <span class="pl-s1">desc</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">var</span> <span class="pl-s1">c</span> <span class="pl-c1">=</span> <span class="pl-smi">arguments</span><span class="pl-kos">.</span><span class="pl-c1">length</span><span class="pl-kos">,</span> <span class="pl-s1">r</span> <span class="pl-c1">=</span> <span class="pl-s1">c</span> <span class="pl-c1"><</span> <span class="pl-c1">3</span> ? <span class="pl-s1">target</span> : <span class="pl-s1">desc</span> <span class="pl-c1">===</span> <span class="pl-c1">null</span> ? <span class="pl-s1">desc</span> <span class="pl-c1">=</span> <span class="pl-v">Object</span><span class="pl-kos">.</span><span class="pl-en">getOwnPropertyDescriptor</span><span class="pl-kos">(</span><span class="pl-s1">target</span><span class="pl-kos">,</span> <span class="pl-s1">key</span><span class="pl-kos">)</span> : <span class="pl-s1">desc</span><span class="pl-kos">,</span> <span class="pl-s1">d</span><span class="pl-kos">;</span>
<span class="pl-k">if</span> <span class="pl-kos">(</span><span class="pl-k">typeof</span> <span class="pl-v">Reflect</span> <span class="pl-c1">===</span> <span class="pl-s">"object"</span> <span class="pl-c1">&&</span> <span class="pl-k">typeof</span> <span class="pl-v">Reflect</span><span class="pl-kos">.</span><span class="pl-c1">decorate</span> <span class="pl-c1">===</span> <span class="pl-s">"function"</span><span class="pl-kos">)</span> <span class="pl-s1">r</span> <span class="pl-c1">=</span> <span class="pl-v">Reflect</span><span class="pl-kos">.</span><span class="pl-en">decorate</span><span class="pl-kos">(</span><span class="pl-s1">decorators</span><span class="pl-kos">,</span> <span class="pl-s1">target</span><span class="pl-kos">,</span> <span class="pl-s1">key</span><span class="pl-kos">,</span> <span class="pl-s1">desc</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">else</span> <span class="pl-k">for</span> <span class="pl-kos">(</span><span class="pl-k">var</span> <span class="pl-s1">i</span> <span class="pl-c1">=</span> <span class="pl-s1">decorators</span><span class="pl-kos">.</span><span class="pl-c1">length</span> <span class="pl-c1">-</span> <span class="pl-c1">1</span><span class="pl-kos">;</span> <span class="pl-s1">i</span> <span class="pl-c1">>=</span> <span class="pl-c1">0</span><span class="pl-kos">;</span> <span class="pl-s1">i</span><span class="pl-c1">--</span><span class="pl-kos">)</span> <span class="pl-k">if</span> <span class="pl-kos">(</span><span class="pl-s1">d</span> <span class="pl-c1">=</span> <span class="pl-s1">decorators</span><span class="pl-kos">[</span><span class="pl-s1">i</span><span class="pl-kos">]</span><span class="pl-kos">)</span> <span class="pl-s1">r</span> <span class="pl-c1">=</span> <span class="pl-kos">(</span><span class="pl-s1">c</span> <span class="pl-c1"><</span> <span class="pl-c1">3</span> ? <span class="pl-s1">d</span><span class="pl-kos">(</span><span class="pl-s1">r</span><span class="pl-kos">)</span> : <span class="pl-s1">c</span> <span class="pl-c1">></span> <span class="pl-c1">3</span> ? <span class="pl-s1">d</span><span class="pl-kos">(</span><span class="pl-s1">target</span><span class="pl-kos">,</span> <span class="pl-s1">key</span><span class="pl-kos">,</span> <span class="pl-s1">r</span><span class="pl-kos">)</span> : <span class="pl-s1">d</span><span class="pl-kos">(</span><span class="pl-s1">target</span><span class="pl-kos">,</span> <span class="pl-s1">key</span><span class="pl-kos">)</span><span class="pl-kos">)</span> <span class="pl-c1">||</span> <span class="pl-s1">r</span><span class="pl-kos">;</span>
<span class="pl-k">return</span> <span class="pl-s1">c</span> <span class="pl-c1">></span> <span class="pl-c1">3</span> <span class="pl-c1">&&</span> <span class="pl-s1">r</span> <span class="pl-c1">&&</span> <span class="pl-v">Object</span><span class="pl-kos">.</span><span class="pl-en">defineProperty</span><span class="pl-kos">(</span><span class="pl-s1">target</span><span class="pl-kos">,</span> <span class="pl-s1">key</span><span class="pl-kos">,</span> <span class="pl-s1">r</span><span class="pl-kos">)</span><span class="pl-kos">,</span> <span class="pl-s1">r</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span>
<span class="pl-k">var</span> <span class="pl-s1">__metadata</span> <span class="pl-c1">=</span> <span class="pl-kos">(</span><span class="pl-smi">this</span> <span class="pl-c1">&&</span> <span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">__metadata</span><span class="pl-kos">)</span> <span class="pl-c1">||</span> <span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-s1">k</span><span class="pl-kos">,</span> <span class="pl-s1">v</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">if</span> <span class="pl-kos">(</span><span class="pl-k">typeof</span> <span class="pl-v">Reflect</span> <span class="pl-c1">===</span> <span class="pl-s">"object"</span> <span class="pl-c1">&&</span> <span class="pl-k">typeof</span> <span class="pl-v">Reflect</span><span class="pl-kos">.</span><span class="pl-c1">metadata</span> <span class="pl-c1">===</span> <span class="pl-s">"function"</span><span class="pl-kos">)</span> <span class="pl-k">return</span> <span class="pl-v">Reflect</span><span class="pl-kos">.</span><span class="pl-en">metadata</span><span class="pl-kos">(</span><span class="pl-s1">k</span><span class="pl-kos">,</span> <span class="pl-s1">v</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span>
<span class="pl-k">var</span> <span class="pl-s1">core_1</span> <span class="pl-c1">=</span> <span class="pl-en">require</span><span class="pl-kos">(</span><span class="pl-s">'@angular/core'</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">var</span> <span class="pl-s1">card_model_1</span> <span class="pl-c1">=</span> <span class="pl-en">require</span><span class="pl-kos">(</span><span class="pl-s">'./card.model'</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">var</span> <span class="pl-v">CardComponent</span> <span class="pl-c1">=</span> <span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">function</span> <span class="pl-v">CardComponent</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">showBilling</span> <span class="pl-c1">=</span> <span class="pl-c1">false</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-v">CardComponent</span><span class="pl-kos">.</span><span class="pl-c1">prototype</span><span class="pl-kos">.</span><span class="pl-en">toggleBillingAddressView</span> <span class="pl-c1">=</span> <span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-s1">event</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-s1">event</span><span class="pl-kos">.</span><span class="pl-en">preventDefault</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">showBilling</span> <span class="pl-c1">=</span> <span class="pl-c1">!</span><span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">showBilling</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span>
<span class="pl-s1">__decorate</span><span class="pl-kos">(</span><span class="pl-kos">[</span>
<span class="pl-s1">core_1</span><span class="pl-kos">.</span><span class="pl-en">Input</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">,</span>
<span class="pl-s1">__metadata</span><span class="pl-kos">(</span><span class="pl-s">'design:type'</span><span class="pl-kos">,</span> <span class="pl-s1">card_model_1</span><span class="pl-kos">.</span><span class="pl-c1">Card</span><span class="pl-kos">)</span>
<span class="pl-kos">]</span><span class="pl-kos">,</span> <span class="pl-v">CardComponent</span><span class="pl-kos">.</span><span class="pl-c1">prototype</span><span class="pl-kos">,</span> <span class="pl-s">"card"</span><span class="pl-kos">,</span> <span class="pl-k">void</span> <span class="pl-c1">0</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-v">CardComponent</span> <span class="pl-c1">=</span> <span class="pl-s1">__decorate</span><span class="pl-kos">(</span><span class="pl-kos">[</span>
<span class="pl-s1">core_1</span><span class="pl-kos">.</span><span class="pl-en">Component</span><span class="pl-kos">(</span><span class="pl-kos">{</span>
<span class="pl-c1">moduleId</span>: <span class="pl-smi">module</span><span class="pl-kos">.</span><span class="pl-c1">id</span><span class="pl-kos">,</span>
<span class="pl-c1">selector</span>: <span class="pl-s">'app-card'</span><span class="pl-kos">,</span>
<span class="pl-c1">templateUrl</span>: <span class="pl-s">'card.component.html'</span><span class="pl-kos">,</span>
<span class="pl-c1">styleUrls</span>: <span class="pl-kos">[</span><span class="pl-s">'card.component.scss'</span><span class="pl-kos">]</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">,</span>
<span class="pl-s1">__metadata</span><span class="pl-kos">(</span><span class="pl-s">'design:paramtypes'</span><span class="pl-kos">,</span> <span class="pl-kos">[</span><span class="pl-kos">]</span><span class="pl-kos">)</span>
<span class="pl-kos">]</span><span class="pl-kos">,</span> <span class="pl-v">CardComponent</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-k">return</span> <span class="pl-v">CardComponent</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">exports</span><span class="pl-kos">.</span><span class="pl-c1">CardComponent</span> <span class="pl-c1">=</span> <span class="pl-v">CardComponent</span><span class="pl-kos">;</span>
<span class="pl-c">//# sourceMappingURL=card.component.js.map</span></pre></div>
<p dir="auto">Screenshot</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/581097/17535797/c2752be8-5e5e-11e6-956f-ba2cf3e25193.png"><img src="https://cloud.githubusercontent.com/assets/581097/17535797/c2752be8-5e5e-11e6-956f-ba2cf3e25193.png" alt="image" style="max-width: 100%;"></a></p> | <p dir="auto"><strong>I'm submitting a ...</strong> (check one with "x")</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[ ] bug report => search github for a similar issue or PR before submitting
[x] feature request
[ ] support request => Please do not submit support request here, instead see https://github.com/angular/angular/blob/master/CONTRIBUTING.md#question"><pre class="notranslate"><code class="notranslate">[ ] bug report => search github for a similar issue or PR before submitting
[x] feature request
[ ] support request => Please do not submit support request here, instead see https://github.com/angular/angular/blob/master/CONTRIBUTING.md#question
</code></pre></div>
<p dir="auto"><strong>Current behavior</strong><br>
Currently when you have a <em>boolean property</em> and bind it to <code class="notranslate">true|false</code> you have to use property binding, i.e</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="<my-button [rounded]="true"></my-button>"><pre class="notranslate"><code class="notranslate"><my-button [rounded]="true"></my-button>
</code></pre></div>
<p dir="auto"><strong>Expected behavior</strong></p>
<p dir="auto">The following code snippet should set the <code class="notranslate">rounded</code> property to <code class="notranslate">true</code>:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="<my-button rounded></my-button>"><pre class="notranslate"><code class="notranslate"><my-button rounded></my-button>
</code></pre></div>
<p dir="auto">while the snippet bellow should bind it to <code class="notranslate">false</code>:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="<my-button ></my-button>"><pre class="notranslate"><code class="notranslate"><my-button ></my-button>
</code></pre></div>
<p dir="auto"><strong>What is the motivation / use case for changing the behavior?</strong><br>
This mimics the behavior of HTML binary attributes as well as how React threads such properties.</p>
<p dir="auto">Of course property binding to should still works.</p> | 0 |
<p dir="auto">After some debugging in my application, I came across a peculiar bug. If you set <code class="notranslate">castShadow = false</code> on a <code class="notranslate">Mesh</code> and use <code class="notranslate">VSMShadowMap</code> - the shadow is still being drawn. If you use <code class="notranslate">PCFSoftShadowMap</code> - the shadow is not rendered, as expected.</p> | <p dir="auto">Hi there,</p>
<p dir="auto">I found that <code class="notranslate">renderer.shadowMap.type=VSMShadowMap</code> seems to have an issue in regards to 3D objects which are set to receiveShadow=true and castShadow=false.</p>
<p dir="auto">In this fiddle you can see<br>
<a href="https://jsfiddle.net/Thor_Bux/g1Loqb08/21/" rel="nofollow">https://jsfiddle.net/Thor_Bux/g1Loqb08/21/</a></p>
<p dir="auto">That the red cube is set to castShadow=false and receiveShadow=true however if the shadowMap.type is set to VSMShadowMap it also casts a shadow.<br>
If the shadowMap.type is set to another type like PCFSoftShadowMap it works as expected. (See line 125, 126)</p>
<h5 dir="auto">Three.js version</h5>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> Dev</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> r108</li>
</ul>
<h5 dir="auto">Browser</h5>
<ul class="contains-task-list">
<li>[] All of them</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> Chrome</li>
</ul>
<h5 dir="auto">OS</h5>
<ul class="contains-task-list">
<li>[] All of them</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> macOS</li>
</ul> | 1 |
<p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=kwalton" rel="nofollow">Kaleb Walton</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-3698?redirect=false" rel="nofollow">SPR-3698</a></strong> and commented</p>
<p dir="auto">Please add the ability to set a default "refresh-check-delay" for all Scripted Beans in the ApplicationContext. I'd rather not have to put that same attribute in each of my lang:groovy/ beans.</p>
<p dir="auto">Thank you!</p>
<hr>
<p dir="auto"><strong>Affects:</strong> 2.0.6, 2.0.7, 2.1 M2</p>
<p dir="auto"><strong>Issue Links:</strong></p>
<ul dir="auto">
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="398088999" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/9573" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/9573/hovercard" href="https://github.com/spring-projects/spring-framework/issues/9573">#9573</a> Default refresh-check-delay setting for all scripted beans (<em><strong>"is duplicated by"</strong></em>)</li>
</ul>
<p dir="auto">1 votes, 1 watchers</p> | <p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=sslavic" rel="nofollow">Stevo Slavić</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-7772?redirect=false" rel="nofollow">SPR-7772</a></strong> and commented</p>
<p dir="auto">Please change logging level to info in PropertiesLoaderSupport when logging message that resource is not found and ignoreResourceNotFound is set to true. By default ignoreResourceNotFound is set to false and developer has to explicitly set it to true - thus being aware of the behavior and consequences. This message is currently logged at warning logging level which IMO is too much, creates unnecessary noise, and makes sys admins nervous.</p>
<hr>
<p dir="auto"><strong>Affects:</strong> 3.0.5</p>
<p dir="auto"><strong>Reference URL:</strong> <a href="http://forum.springsource.org/showthread.php?t=97681" rel="nofollow">http://forum.springsource.org/showthread.php?t=97681</a></p>
<p dir="auto"><strong>Attachments:</strong></p>
<ul dir="auto">
<li><a href="https://jira.spring.io/secure/attachment/17526/SPR-7772.patch" rel="nofollow">SPR-7772.patch</a> (<em>1.20 kB</em>)</li>
</ul>
<p dir="auto"><strong>Issue Links:</strong></p>
<ul dir="auto">
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="398229466" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/21485" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/21485/hovercard" href="https://github.com/spring-projects/spring-framework/issues/21485">#21485</a> Improve logging for development (DEBUG vs TRACE) (<em><strong>"duplicates"</strong></em>)</li>
</ul>
<p dir="auto">6 votes, 4 watchers</p> | 0 |
<p dir="auto">ref: <a href="https://travis-ci.org/scikit-learn/scikit-learn/builds/392640200" rel="nofollow">https://travis-ci.org/scikit-learn/scikit-learn/builds/392640200</a></p>
<p dir="auto">Looks like due to pending deprecation warnings:</p>
<blockquote>
<p dir="auto">AssertionError: Got warnings when calling fit: [{message : PendingDeprecationWarning('the matrix subclass is not the recommended way to represent matrices or deal with linear algebra (see https://docs.scipy.org/doc/numpy/user/numpy-for-matlab-users.html). Please adjust your code to use regular ndarray.',), category : 'PendingDeprecationWarning', ...</p>
</blockquote> | <p dir="auto">We are getting many warnings like <code class="notranslate">PendingDeprecationWarning('the matrix subclass is not the recommended way to represent matrices or deal with linear algebra (see https://docs.scipy.org/doc/numpy/user/numpy-for-matlab-users.html). Please adjust your code to use regular ndarray.</code> using numpy master (see logs at <a href="https://travis-ci.org/scikit-learn/scikit-learn/builds/387352026" rel="nofollow">https://travis-ci.org/scikit-learn/scikit-learn/builds/387352026</a>)</p>
<p dir="auto">Apart from a very long log, this causes test failures where we have used <code class="notranslate">assert_no_warnings</code> (which we could now be importing from numpy instead of having our own implementation).</p>
<p dir="auto">It might be a good idea to remove all uses of np.matrix that raise warnings. On the other hand, we might also consider that <code class="notranslate">assert_no_warnings</code> shouldn't be bothered by <code class="notranslate">PendingDeprecationWarning</code>s.</p> | 1 |
<h3 dir="auto">Describe your issue.</h3>
<p dir="auto">The function <code class="notranslate">scipy.stats.nbinom.logcdf</code> returns wrong results for some arguments. By trying out (and looking at the implementation), this seems to happens when the input arguments would lead to an array result that mixes values larger and smaller than log(0.5). (In the implementation, there is a <code class="notranslate">cond = cdf > 0.5</code> mask).</p>
<p dir="auto">For example, for</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="n=np.array([2, 100])
p=np.array([0.1, .8])
k=np.array([ 17, 12])"><pre class="notranslate"><code class="notranslate">n=np.array([2, 100])
p=np.array([0.1, .8])
k=np.array([ 17, 12])
</code></pre></div>
<p dir="auto">we have CDF-values of</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [49]: nbinom.cdf(n=np.array([2, 100]), p=np.array([0.1, .8]), k=np.array([ 17, 12]) )
Out[49]: array([0.57973502, 0.00662863])"><pre class="notranslate"><code class="notranslate">In [49]: nbinom.cdf(n=np.array([2, 100]), p=np.array([0.1, .8]), k=np.array([ 17, 12]) )
Out[49]: array([0.57973502, 0.00662863])
</code></pre></div>
<p dir="auto">So we expect to find the logarithm of these two values as output of <code class="notranslate">nbimon.logcdf</code>, i.e.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [50]: np.log(nbinom.cdf(n=np.array([2, 100]), p=np.array([0.1, .8]), k=np.array([ 17, 12]) ))
Out[50]: array([-0.54518414, -5.0163566 ]) "><pre class="notranslate"><code class="notranslate">In [50]: np.log(nbinom.cdf(n=np.array([2, 100]), p=np.array([0.1, .8]), k=np.array([ 17, 12]) ))
Out[50]: array([-0.54518414, -5.0163566 ])
</code></pre></div>
<p dir="auto">However, something in the masking seems to be off, as the result turns out to be an array with two identical numbers:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [48]: nbinom.logcdf(n=np.array([2, 100]), p=np.array([0.1, .8]), k=np.array([ 17, 12]) )
Out[48]: array([-0.54518414, -0.54518414])"><pre class="notranslate"><code class="notranslate">In [48]: nbinom.logcdf(n=np.array([2, 100]), p=np.array([0.1, .8]), k=np.array([ 17, 12]) )
Out[48]: array([-0.54518414, -0.54518414])
</code></pre></div>
<p dir="auto">That is, the first value has been rolled out on the entire array.</p>
<p dir="auto">In this second example, the last two values of k have CDF < 0.5, and in the logcdf they are being assigned values from parameters that lead to CDF > 0.5:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [55]: nbinom.cdf(n=4, p=0.3, k=np.array([ 17, 12, 8, 4, 2]) )
Out[55]: array([0.9143943 , 0.75414414, 0.50748423, 0.19410435, 0.07047 ])
In [56]: nbinom.logcdf(n=4, p=0.3, k=np.array([ 17, 12, 8, 4, 2]) )
Out[56]: array([-0.0894934 , -0.28217177, -0.67828965, -0.0894934 , -0.28217177])
In [57]: np.log(nbinom.cdf(n=4, p=0.3, k=np.array([ 17, 12, 8, 4, 2]) ))
Out[57]: array([-0.0894934 , -0.28217177, -0.67828965, -1.63935938, -2.65256819])"><pre class="notranslate"><code class="notranslate">In [55]: nbinom.cdf(n=4, p=0.3, k=np.array([ 17, 12, 8, 4, 2]) )
Out[55]: array([0.9143943 , 0.75414414, 0.50748423, 0.19410435, 0.07047 ])
In [56]: nbinom.logcdf(n=4, p=0.3, k=np.array([ 17, 12, 8, 4, 2]) )
Out[56]: array([-0.0894934 , -0.28217177, -0.67828965, -0.0894934 , -0.28217177])
In [57]: np.log(nbinom.cdf(n=4, p=0.3, k=np.array([ 17, 12, 8, 4, 2]) ))
Out[57]: array([-0.0894934 , -0.28217177, -0.67828965, -1.63935938, -2.65256819])
</code></pre></div>
<p dir="auto">There was recently a PR modifying <code class="notranslate">scipy.stats.nbinom.logcdf</code>, which might be related : <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="1233249300" data-permission-text="Title is private" data-url="https://github.com/scipy/scipy/issues/16159" data-hovercard-type="issue" data-hovercard-url="/scipy/scipy/issues/16159/hovercard" href="https://github.com/scipy/scipy/issues/16159">#16159</a><br>
but I can't reproduce the above issue with scipy v1.6.3. I.e. in scipy v 1.6.3, this issue does not occur; it seems that in 1.7.x the issue is present.</p>
<h3 dir="auto">Reproducing Code Example</h3>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import numpy as np
from scipy.stats import nbinom
np.testing.assert_array_almost_equal(nbinom.logcdf(n=np.array([2, 100]), p=np.array([0.1, .8]), k=np.array([ 17, 12]) ), np.log(nbinom.cdf(n=np.array([2, 100]), p=np.array([0.1, .8]), k=np.array([ 17, 12]) )))"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">numpy</span> <span class="pl-k">as</span> <span class="pl-s1">np</span>
<span class="pl-k">from</span> <span class="pl-s1">scipy</span>.<span class="pl-s1">stats</span> <span class="pl-k">import</span> <span class="pl-s1">nbinom</span>
<span class="pl-s1">np</span>.<span class="pl-s1">testing</span>.<span class="pl-en">assert_array_almost_equal</span>(<span class="pl-s1">nbinom</span>.<span class="pl-en">logcdf</span>(<span class="pl-s1">n</span><span class="pl-c1">=</span><span class="pl-s1">np</span>.<span class="pl-en">array</span>([<span class="pl-c1">2</span>, <span class="pl-c1">100</span>]), <span class="pl-s1">p</span><span class="pl-c1">=</span><span class="pl-s1">np</span>.<span class="pl-en">array</span>([<span class="pl-c1">0.1</span>, <span class="pl-c1">.8</span>]), <span class="pl-s1">k</span><span class="pl-c1">=</span><span class="pl-s1">np</span>.<span class="pl-en">array</span>([ <span class="pl-c1">17</span>, <span class="pl-c1">12</span>]) ), <span class="pl-s1">np</span>.<span class="pl-en">log</span>(<span class="pl-s1">nbinom</span>.<span class="pl-en">cdf</span>(<span class="pl-s1">n</span><span class="pl-c1">=</span><span class="pl-s1">np</span>.<span class="pl-en">array</span>([<span class="pl-c1">2</span>, <span class="pl-c1">100</span>]), <span class="pl-s1">p</span><span class="pl-c1">=</span><span class="pl-s1">np</span>.<span class="pl-en">array</span>([<span class="pl-c1">0.1</span>, <span class="pl-c1">.8</span>]), <span class="pl-s1">k</span><span class="pl-c1">=</span><span class="pl-s1">np</span>.<span class="pl-en">array</span>([ <span class="pl-c1">17</span>, <span class="pl-c1">12</span>]) )))</pre></div>
<h3 dir="auto">Error message</h3>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="840 err_msg += '\n' + '\n'.join(remarks)
841 msg = build_err_msg([ox, oy], err_msg,
842 verbose=verbose, header=header,
843 names=('x', 'y'), precision=precision)
--> 844 raise AssertionError(msg)
845 except ValueError:
846 import traceback
AssertionError:
Arrays are not almost equal to 6 decimals
Mismatched elements: 1 / 2 (50%)
Max absolute difference: 4.47117246
Max relative difference: 0.8913187
x: array([-0.545184, -0.545184])
y: array([-0.545184, -5.016357])"><pre class="notranslate">840 err_msg += <span class="pl-s"><span class="pl-pds">'</span>\n<span class="pl-pds">'</span></span> + <span class="pl-s"><span class="pl-pds">'</span>\n<span class="pl-pds">'</span></span>.join(remarks)
841 msg = build_err_msg([ox, oy], err_msg,
842 verbose=verbose, header=header,
843 names=(<span class="pl-s"><span class="pl-pds">'</span>x<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>y<span class="pl-pds">'</span></span>), precision=precision)
--<span class="pl-k">></span> 844 raise AssertionError(msg)
845 except ValueError:
846 import traceback
AssertionError:
Arrays are not almost equal to 6 decimals
Mismatched elements: 1 / 2 (50%)
Max absolute difference: 4.47117246
Max relative difference: 0.8913187
x: array([-0.545184, -0.545184])
y: array([-0.545184, -5.016357])</pre></div>
<h3 dir="auto">SciPy/NumPy/Python version information</h3>
<p dir="auto">1.8.1 1.22.4 sys.version_info(major=3, minor=8, micro=5, releaselevel='final', serial=0)</p> | <p dir="auto">I am trying to install scipy under pypy on macOS Catalina (MacBook Pro late 2013). However, when I run <code class="notranslate">$ pip_pypy3 install scipy</code> it fails to build. I installed pypy using homebrew and it seems to work fine otherwise. Numpy is working too, even though its installation gave me some issues at first, which I fixed by installing OpenBLAS through homebrew and then installing numpy with <code class="notranslate">$ OPENBLAS="$(brew --prefix openblas)" pip_pypy3 install numpy</code>.</p>
<p dir="auto">I'm not sure if this is a problem with scipy or my installation, but any info would be greatly appreciated.</p>
<h4 dir="auto">Numpy/Python version information:</h4>
<p dir="auto">Numpy: 1.19.2<br>
Python: 3.6.9<br>
Pypy: 7.3.1</p>
<h4 dir="auto">Error message:</h4>
<details>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="$ pip_pypy3 install scipy
Collecting scipy
Using cached scipy-1.5.2.tar.gz (25.4 MB)
Installing build dependencies ... done
Getting requirements to build wheel ... done
Preparing wheel metadata ... done
Building wheels for collected packages: scipy
Building wheel for scipy (PEP 517) ... error
ERROR: Command errored out with exit status 1:
command: /usr/local/Cellar/pypy3/7.3.1_1/bin/pypy3 /usr/local/Cellar/pypy3/7.3.1_1/libexec/site-packages/pip/_vendor/pep517/_in_process.py build_wheel /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpb4p3dbn0
cwd: /private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-install-kld1p4qg/scipy
Complete output (3519 lines):
lapack_opt_info:
lapack_mkl_info:
customize UnixCCompiler
libraries mkl_rt not found in ['/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib', '/usr/local/lib', '/usr/lib']
NOT AVAILABLE
openblas_lapack_info:
customize UnixCCompiler
customize UnixCCompiler
libraries openblas not found in ['/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib', '/usr/local/lib', '/usr/lib']
NOT AVAILABLE
openblas_clapack_info:
customize UnixCCompiler
customize UnixCCompiler
libraries openblas,lapack not found in ['/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib', '/usr/local/lib', '/usr/lib']
NOT AVAILABLE
atlas_3_10_threads_info:
Setting PTATLAS=ATLAS
customize UnixCCompiler
libraries tatlas,tatlas not found in /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries lapack_atlas not found in /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries tatlas,tatlas not found in /usr/local/lib
customize UnixCCompiler
libraries lapack_atlas not found in /usr/local/lib
customize UnixCCompiler
libraries tatlas,tatlas not found in /usr/lib
customize UnixCCompiler
libraries lapack_atlas not found in /usr/lib
<class 'numpy.distutils.system_info.atlas_3_10_threads_info'>
NOT AVAILABLE
atlas_3_10_info:
customize UnixCCompiler
libraries satlas,satlas not found in /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries lapack_atlas not found in /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries satlas,satlas not found in /usr/local/lib
customize UnixCCompiler
libraries lapack_atlas not found in /usr/local/lib
customize UnixCCompiler
libraries satlas,satlas not found in /usr/lib
customize UnixCCompiler
libraries lapack_atlas not found in /usr/lib
<class 'numpy.distutils.system_info.atlas_3_10_info'>
NOT AVAILABLE
atlas_threads_info:
Setting PTATLAS=ATLAS
customize UnixCCompiler
libraries ptf77blas,ptcblas,atlas not found in /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries lapack_atlas not found in /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries ptf77blas,ptcblas,atlas not found in /usr/local/lib
customize UnixCCompiler
libraries lapack_atlas not found in /usr/local/lib
customize UnixCCompiler
libraries ptf77blas,ptcblas,atlas not found in /usr/lib
customize UnixCCompiler
libraries lapack_atlas not found in /usr/lib
<class 'numpy.distutils.system_info.atlas_threads_info'>
NOT AVAILABLE
atlas_info:
customize UnixCCompiler
libraries f77blas,cblas,atlas not found in /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries lapack_atlas not found in /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries f77blas,cblas,atlas not found in /usr/local/lib
customize UnixCCompiler
libraries lapack_atlas not found in /usr/local/lib
customize UnixCCompiler
libraries f77blas,cblas,atlas not found in /usr/lib
customize UnixCCompiler
libraries lapack_atlas not found in /usr/lib
<class 'numpy.distutils.system_info.atlas_info'>
NOT AVAILABLE
lapack_info:
customize UnixCCompiler
customize UnixCCompiler
FOUND:
libraries = ['lapack', 'lapack']
library_dirs = ['/usr/lib']
language = f77
blas_info:
customize UnixCCompiler
customize UnixCCompiler
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/var
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/var/folders
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/var/folders/4m
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc
compile options: '-I/usr/local/include -I/usr/local/Cellar/pypy3/7.3.1_1/libexec/include -c'
gcc: /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/source.c
/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/source.c:1:10: fatal error: 'cblas.h' file not found
#include <cblas.h>
^~~~~~~~~
1 error generated.
/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/source.c:1:10: fatal error: 'cblas.h' file not found
#include <cblas.h>
^~~~~~~~~
1 error generated.
customize UnixCCompiler
FOUND:
libraries = ['blas', 'blas']
library_dirs = ['/usr/lib']
include_dirs = ['/usr/local/include', '/usr/local/Cellar/pypy3/7.3.1_1/libexec/include']
FOUND:
define_macros = [('NO_ATLAS_INFO', 1)]
libraries = ['lapack', 'lapack', 'blas', 'blas']
library_dirs = ['/usr/lib']
language = f77
include_dirs = ['/usr/local/include', '/usr/local/Cellar/pypy3/7.3.1_1/libexec/include']
blas_opt_info:
blas_mkl_info:
customize UnixCCompiler
libraries mkl_rt not found in ['/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib', '/usr/local/lib', '/usr/lib']
NOT AVAILABLE
blis_info:
customize UnixCCompiler
libraries blis not found in ['/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib', '/usr/local/lib', '/usr/lib']
NOT AVAILABLE
openblas_info:
customize UnixCCompiler
customize UnixCCompiler
libraries openblas not found in ['/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib', '/usr/local/lib', '/usr/lib']
NOT AVAILABLE
atlas_3_10_blas_threads_info:
Setting PTATLAS=ATLAS
customize UnixCCompiler
libraries tatlas not found in ['/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib', '/usr/local/lib', '/usr/lib']
NOT AVAILABLE
atlas_3_10_blas_info:
customize UnixCCompiler
libraries satlas not found in ['/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib', '/usr/local/lib', '/usr/lib']
NOT AVAILABLE
atlas_blas_threads_info:
Setting PTATLAS=ATLAS
customize UnixCCompiler
libraries ptf77blas,ptcblas,atlas not found in ['/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib', '/usr/local/lib', '/usr/lib']
NOT AVAILABLE
atlas_blas_info:
customize UnixCCompiler
libraries f77blas,cblas,atlas not found in ['/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib', '/usr/local/lib', '/usr/lib']
NOT AVAILABLE
FOUND:
define_macros = [('NO_ATLAS_INFO', 1)]
libraries = ['blas', 'blas']
library_dirs = ['/usr/lib']
include_dirs = ['/usr/local/include', '/usr/local/Cellar/pypy3/7.3.1_1/libexec/include']
[makenpz] scipy/special/tests/data/boost.npz not rebuilt
[makenpz] scipy/special/tests/data/gsl.npz not rebuilt
[makenpz] scipy/special/tests/data/local.npz not rebuilt
non-existing path in 'scipy/signal/windows': 'tests'
running bdist_wheel
running build
running config_cc
unifing config_cc, config, build_clib, build_ext, build commands --compiler options
running config_fc
unifing config_fc, config, build_clib, build_ext, build commands --fcompiler options
running build_src
build_src
building py_modules sources
building library "mach" sources
building library "quadpack" sources
building library "lsoda" sources
building library "vode" sources
building library "dop" sources
building library "fitpack" sources
building library "fwrappers" sources
building library "odrpack" sources
building library "minpack" sources
building library "rectangular_lsap" sources
building library "rootfind" sources
building library "superlu_src" sources
building library "arpack_scipy" sources
building library "sc_cephes" sources
building library "sc_mach" sources
building library "sc_amos" sources
building library "sc_cdf" sources
building library "sc_specfun" sources
building library "statlib" sources
building extension "scipy.cluster._vq" sources
building extension "scipy.cluster._hierarchy" sources
building extension "scipy.cluster._optimal_leaf_ordering" sources
building extension "scipy.fft._pocketfft.pypocketfft" sources
building extension "scipy.fftpack.convolve" sources
building extension "scipy.integrate._quadpack" sources
building extension "scipy.integrate._odepack" sources
building extension "scipy.integrate.vode" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate' to include_dirs.
adding 'build/src.macosx-10.7-x86_64-3.6/scipy/integrate/vode-f2pywrappers.f' to sources.
building extension "scipy.integrate.lsoda" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate' to include_dirs.
adding 'build/src.macosx-10.7-x86_64-3.6/scipy/integrate/lsoda-f2pywrappers.f' to sources.
building extension "scipy.integrate._dop" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate' to include_dirs.
adding 'build/src.macosx-10.7-x86_64-3.6/scipy/integrate/_dop-f2pywrappers.f' to sources.
building extension "scipy.integrate._test_multivariate" sources
building extension "scipy.integrate._test_odeint_banded" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate' to include_dirs.
adding 'build/src.macosx-10.7-x86_64-3.6/scipy/integrate/_test_odeint_banded-f2pywrappers.f' to sources.
building extension "scipy.interpolate.interpnd" sources
building extension "scipy.interpolate._ppoly" sources
building extension "scipy.interpolate._bspl" sources
building extension "scipy.interpolate._fitpack" sources
building extension "scipy.interpolate.dfitpack" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/interpolate/src/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/interpolate/src' to include_dirs.
adding 'build/src.macosx-10.7-x86_64-3.6/scipy/interpolate/src/dfitpack-f2pywrappers.f' to sources.
building extension "scipy.io._test_fortran" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/io/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/io' to include_dirs.
building extension "scipy.io.matlab.streams" sources
building extension "scipy.io.matlab.mio_utils" sources
building extension "scipy.io.matlab.mio5_utils" sources
building extension "scipy.linalg._fblas" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg' to include_dirs.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg/_fblas-f2pywrappers.f' to sources.
building extension "scipy.linalg._flapack" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg' to include_dirs.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg/_flapack-f2pywrappers.f' to sources.
building extension "scipy.linalg._flinalg" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg' to include_dirs.
building extension "scipy.linalg._interpolative" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg' to include_dirs.
building extension "scipy.linalg._solve_toeplitz" sources
building extension "scipy.linalg.cython_blas" sources
building extension "scipy.linalg.cython_lapack" sources
building extension "scipy.linalg._decomp_update" sources
building extension "scipy.odr.__odrpack" sources
building extension "scipy.optimize._minpack" sources
building extension "scipy.optimize._lsap_module" sources
building extension "scipy.optimize._zeros" sources
building extension "scipy.optimize._lbfgsb" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/lbfgsb_src/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/lbfgsb_src' to include_dirs.
adding 'build/src.macosx-10.7-x86_64-3.6/scipy/optimize/lbfgsb_src/_lbfgsb-f2pywrappers.f' to sources.
building extension "scipy.optimize.moduleTNC" sources
building extension "scipy.optimize._cobyla" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/cobyla/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/cobyla' to include_dirs.
building extension "scipy.optimize.minpack2" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/minpack2/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/minpack2' to include_dirs.
building extension "scipy.optimize._slsqp" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/slsqp/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/slsqp' to include_dirs.
building extension "scipy.optimize.__nnls" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/__nnls/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/__nnls' to include_dirs.
building extension "scipy.optimize._group_columns" sources
building extension "scipy.optimize._bglu_dense" sources
building extension "scipy.optimize._lsq.givens_elimination" sources
building extension "scipy.optimize._trlib._trlib" sources
building extension "scipy.optimize.cython_optimize._zeros" sources
building extension "scipy.signal.sigtools" sources
building extension "scipy.signal._spectral" sources
building extension "scipy.signal._max_len_seq_inner" sources
building extension "scipy.signal._peak_finding_utils" sources
building extension "scipy.signal._sosfilt" sources
building extension "scipy.signal._upfirdn_apply" sources
building extension "scipy.signal.spline" sources
building extension "scipy.sparse.linalg.isolve._iterative" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve/iterative/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve/iterative' to include_dirs.
building extension "scipy.sparse.linalg.dsolve._superlu" sources
building extension "scipy.sparse.linalg.eigen.arpack._arpack" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack' to include_dirs.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack/_arpack-f2pywrappers.f' to sources.
building extension "scipy.sparse.csgraph._shortest_path" sources
building extension "scipy.sparse.csgraph._traversal" sources
building extension "scipy.sparse.csgraph._min_spanning_tree" sources
building extension "scipy.sparse.csgraph._matching" sources
building extension "scipy.sparse.csgraph._flow" sources
building extension "scipy.sparse.csgraph._reordering" sources
building extension "scipy.sparse.csgraph._tools" sources
building extension "scipy.sparse._csparsetools" sources
building extension "scipy.sparse._sparsetools" sources
[generate_sparsetools] 'scipy/sparse/sparsetools/bsr_impl.h' already up-to-date
[generate_sparsetools] 'scipy/sparse/sparsetools/csr_impl.h' already up-to-date
[generate_sparsetools] 'scipy/sparse/sparsetools/csc_impl.h' already up-to-date
[generate_sparsetools] 'scipy/sparse/sparsetools/other_impl.h' already up-to-date
[generate_sparsetools] 'scipy/sparse/sparsetools/sparsetools_impl.h' already up-to-date
building extension "scipy.spatial.qhull" sources
building extension "scipy.spatial.ckdtree" sources
building extension "scipy.spatial._distance_wrap" sources
building extension "scipy.spatial._voronoi" sources
building extension "scipy.spatial._hausdorff" sources
building extension "scipy.special.specfun" sources
f2py options: ['--no-wrap-functions']
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/special/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/special' to include_dirs.
building extension "scipy.special._ufuncs" sources
building extension "scipy.special._ufuncs_cxx" sources
building extension "scipy.special._ellip_harm_2" sources
building extension "scipy.special.cython_special" sources
building extension "scipy.special._comb" sources
building extension "scipy.special._test_round" sources
building extension "scipy.stats.statlib" sources
f2py options: ['--no-wrap-functions']
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/stats/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/stats' to include_dirs.
building extension "scipy.stats._stats" sources
building extension "scipy.stats.mvn" sources
f2py options: []
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/stats/fortranobject.c' to sources.
adding 'build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/stats' to include_dirs.
adding 'build/src.macosx-10.7-x86_64-3.6/scipy/stats/mvn-f2pywrappers.f' to sources.
building extension "scipy.ndimage._nd_image" sources
building extension "scipy.ndimage._ni_label" sources
building extension "scipy.ndimage._ctest" sources
building extension "scipy.ndimage._ctest_oldapi" sources
building extension "scipy.ndimage._cytest" sources
building extension "scipy._lib._ccallback_c" sources
building extension "scipy._lib._test_ccallback" sources
building extension "scipy._lib._fpumode" sources
building extension "scipy._lib.messagestream" sources
get_default_fcompiler: matching types: '['gnu95', 'nag', 'absoft', 'ibm', 'intel', 'gnu', 'g95', 'pg']'
customize Gnu95FCompiler
Found executable /usr/local/bin/gfortran
customize Gnu95FCompiler
customize Gnu95FCompiler using config
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
compile options: '-I/usr/local/Cellar/pypy3/7.3.1_1/libexec/include -c'
gcc: _configtest.c
gcc -pthread -arch x86_64 _configtest.o -o _configtest
ld: warning: object file (/Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX.sdk/usr/lib/crt1.o) was built for newer macOS version (10.4) than being linked (10.3)
success!
removing: _configtest.c _configtest.o _configtest
building extension "scipy._lib._test_deprecation_call" sources
building extension "scipy._lib._test_deprecation_def" sources
building extension "scipy._lib._uarray._uarray" sources
building data_files sources
build_src: building npy-pkg config files
running build_py
creating build/lib.macosx-10.7-x86_64-3.6
creating build/lib.macosx-10.7-x86_64-3.6/scipy
copying scipy/conftest.py -> build/lib.macosx-10.7-x86_64-3.6/scipy
copying scipy/version.py -> build/lib.macosx-10.7-x86_64-3.6/scipy
copying scipy/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy
copying scipy/_distributor_init.py -> build/lib.macosx-10.7-x86_64-3.6/scipy
copying scipy/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy
copying build/src.macosx-10.7-x86_64-3.6/scipy/__config__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy
creating build/lib.macosx-10.7-x86_64-3.6/scipy/cluster
copying scipy/cluster/vq.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/cluster
copying scipy/cluster/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/cluster
copying scipy/cluster/hierarchy.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/cluster
copying scipy/cluster/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/cluster
creating build/lib.macosx-10.7-x86_64-3.6/scipy/constants
copying scipy/constants/constants.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/constants
copying scipy/constants/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/constants
copying scipy/constants/codata.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/constants
copying scipy/constants/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/constants
creating build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/_backend.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/_helper.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/_debug_backends.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/_realtransforms.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/_basic.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
creating build/lib.macosx-10.7-x86_64-3.6/scipy/fft/_pocketfft
copying scipy/fft/_pocketfft/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fft/_pocketfft
copying scipy/fft/_pocketfft/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fft/_pocketfft
copying scipy/fft/_pocketfft/realtransforms.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fft/_pocketfft
copying scipy/fft/_pocketfft/basic.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fft/_pocketfft
copying scipy/fft/_pocketfft/helper.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fft/_pocketfft
creating build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
copying scipy/fftpack/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
copying scipy/fftpack/pseudo_diffs.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
copying scipy/fftpack/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
copying scipy/fftpack/realtransforms.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
copying scipy/fftpack/basic.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
copying scipy/fftpack/helper.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
creating build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/_ode.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/_quadrature.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/quadpack.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/_quad_vec.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/_bvp.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/odepack.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
creating build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/bdf.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/ivp.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/dop853_coefficients.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/common.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/radau.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/lsoda.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/rk.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/base.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
creating build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/_cubic.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/polyint.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/ndgriddata.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/_bsplines.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/fitpack.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/rbf.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/interpnd_info.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/_pade.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/interpolate.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/_fitpack_impl.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/fitpack2.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
creating build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/wavfile.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/idl.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/netcdf.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/_fortran.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/mmio.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io
creating build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/miobase.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/mio5_params.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/byteordercodes.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/mio.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/mio4.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/mio5.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
creating build/lib.macosx-10.7-x86_64-3.6/scipy/io/arff
copying scipy/io/arff/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/arff
copying scipy/io/arff/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/arff
copying scipy/io/arff/arffread.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/arff
creating build/lib.macosx-10.7-x86_64-3.6/scipy/io/harwell_boeing
copying scipy/io/harwell_boeing/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/harwell_boeing
copying scipy/io/harwell_boeing/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/harwell_boeing
copying scipy/io/harwell_boeing/_fortran_format_parser.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/harwell_boeing
copying scipy/io/harwell_boeing/hb.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/io/harwell_boeing
creating build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/decomp_qr.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_matfuncs_inv_ssq.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/misc.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_sketches.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/decomp_cholesky.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_testutils.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/decomp_lu.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/decomp_svd.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_procrustes.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_matfuncs_sqrtm.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/matfuncs.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_generate_pyx.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_solvers.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_interpolative_backend.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/flinalg.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/basic.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_decomp_polar.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/decomp.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/interpolative.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/blas.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_cython_signature_generator.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/special_matrices.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_decomp_ldl.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_decomp_cossin.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/decomp_schur.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_decomp_qz.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_expm_frechet.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/lapack.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
creating build/lib.macosx-10.7-x86_64-3.6/scipy/misc
copying scipy/misc/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/misc
copying scipy/misc/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/misc
copying scipy/misc/common.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/misc
copying scipy/misc/doccer.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/misc
creating build/lib.macosx-10.7-x86_64-3.6/scipy/odr
copying scipy/odr/_add_newdocs.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/odr
copying scipy/odr/models.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/odr
copying scipy/odr/odrpack.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/odr
copying scipy/odr/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/odr
copying scipy/odr/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/odr
creating build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/tnc.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_lsap.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/optimize.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_linprog_ip.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/linesearch.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/nonlin.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_linprog_rs.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_root.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/lbfgsb.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/zeros.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_shgo.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_linprog_simplex.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/slsqp.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_trustregion_ncg.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_minimize.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/minpack.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_basinhopping.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_linprog.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_hessian_update_strategy.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/cobyla.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_tstutils.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_nnls.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_spectral.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_differentiable_functions.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_trustregion_krylov.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_trustregion.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_linprog_util.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_dual_annealing.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_root_scalar.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_trustregion_dogleg.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_trustregion_exact.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_constraints.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_differentialevolution.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_remove_redundancy.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_numdiff.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
creating build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/least_squares.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/dogbox.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/trf_linear.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/common.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/lsq_linear.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/bvls.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/trf.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
creating build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trlib
copying scipy/optimize/_trlib/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trlib
copying scipy/optimize/_trlib/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trlib
creating build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/equality_constrained_sqp.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/tr_interior_point.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/qp_subproblem.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/minimize_trustregion_constr.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/projections.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/report.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/canonical_constraint.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
creating build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/cython_optimize
copying scipy/optimize/cython_optimize/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/cython_optimize
creating build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_shgo_lib
copying scipy/optimize/_shgo_lib/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_shgo_lib
copying scipy/optimize/_shgo_lib/sobol_seq.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_shgo_lib
copying scipy/optimize/_shgo_lib/triangulation.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_shgo_lib
creating build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/waveforms.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/_savitzky_golay.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/signaltools.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/bsplines.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/_arraytools.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/_max_len_seq.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/wavelets.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/lti_conversion.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/_peak_finding.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/filter_design.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/spectral.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/_upfirdn.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/ltisys.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/fir_filter_design.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
creating build/lib.macosx-10.7-x86_64-3.6/scipy/signal/windows
copying scipy/signal/windows/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal/windows
copying scipy/signal/windows/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal/windows
copying scipy/signal/windows/windows.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/signal/windows
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/csc.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/generate_sparsetools.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/sparsetools.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/dok.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/coo.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/compressed.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/dia.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/_index.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/spfuncs.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/lil.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/sputils.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/bsr.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/_matrix_io.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/csr.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/construct.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/extract.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/base.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/data.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/matfuncs.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/interface.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/_expm_multiply.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/_norm.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/_onenormest.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/lsqr.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/iterative.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/utils.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/_gcrotmk.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/minres.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/lsmr.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/lgmres.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve
copying scipy/sparse/linalg/dsolve/_add_newdocs.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve
copying scipy/sparse/linalg/dsolve/linsolve.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve
copying scipy/sparse/linalg/dsolve/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve
copying scipy/sparse/linalg/dsolve/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen
copying scipy/sparse/linalg/eigen/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen
copying scipy/sparse/linalg/eigen/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack
copying scipy/sparse/linalg/eigen/arpack/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack
copying scipy/sparse/linalg/eigen/arpack/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack
copying scipy/sparse/linalg/eigen/arpack/arpack.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/lobpcg
copying scipy/sparse/linalg/eigen/lobpcg/lobpcg.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/lobpcg
copying scipy/sparse/linalg/eigen/lobpcg/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/lobpcg
copying scipy/sparse/linalg/eigen/lobpcg/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/lobpcg
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/csgraph
copying scipy/sparse/csgraph/_laplacian.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/csgraph
copying scipy/sparse/csgraph/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/csgraph
copying scipy/sparse/csgraph/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/csgraph
copying scipy/sparse/csgraph/_validation.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/csgraph
creating build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/_spherical_voronoi.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/_procrustes.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/distance.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/kdtree.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/_geometric_slerp.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/_plotutils.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
creating build/lib.macosx-10.7-x86_64-3.6/scipy/spatial/transform
copying scipy/spatial/transform/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial/transform
copying scipy/spatial/transform/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial/transform
copying scipy/spatial/transform/_rotation_spline.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial/transform
copying scipy/spatial/transform/rotation.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial/transform
copying scipy/spatial/transform/_rotation_groups.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial/transform
creating build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/spfun_stats.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_testutils.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/sf_error.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/add_newdocs.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_spherical_bessel.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_mptestutils.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_ellip_harm.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_generate_pyx.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_lambertw.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/basic.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/orthogonal.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_basic.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_logsumexp.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special
creating build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/expn_asy.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/zetac.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/struve_convergence.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/loggamma.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/gammainc_asy.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/wrightomega.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/gammainc_data.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/utils.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/lambertw.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
creating build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_multivariate.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_constants.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_binned_statistic.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_distr_params.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_tukeylambda_stats.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_rvs_sampling.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_stats_mstats_common.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_ksstats.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/kde.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/mstats_extras.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_discrete_distns.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/distributions.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_hypotests.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/mstats.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_distn_infrastructure.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/stats.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_continuous_distns.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/morestats.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/mstats_basic.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/contingency.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_wilcoxon_data.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
creating build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/_ni_support.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/interpolation.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/_ni_docstrings.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/morphology.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/fourier.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/filters.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/measurements.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
creating build/lib.macosx-10.7-x86_64-3.6/scipy/_build_utils
copying scipy/_build_utils/system_info.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_build_utils
copying scipy/_build_utils/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_build_utils
copying scipy/_build_utils/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_build_utils
copying scipy/_build_utils/_fortran.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_build_utils
copying scipy/_build_utils/compiler_helper.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_build_utils
creating build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/uarray.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_testutils.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_pep440.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/deprecation.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/decorator.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_ccallback.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_threadsafety.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_tmpdirs.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_util.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_gcutils.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/doccer.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
creating build/lib.macosx-10.7-x86_64-3.6/scipy/_lib/_uarray
copying scipy/_lib/_uarray/_backend.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib/_uarray
copying scipy/_lib/_uarray/__init__.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib/_uarray
copying scipy/_lib/_uarray/setup.py -> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib/_uarray
running build_clib
customize UnixCCompiler
customize UnixCCompiler using build_clib
get_default_fcompiler: matching types: '['gnu95', 'nag', 'absoft', 'ibm', 'intel', 'gnu', 'g95', 'pg']'
customize Gnu95FCompiler
customize Gnu95FCompiler
customize Gnu95FCompiler using build_clib
building 'mach' library
using additional config_fc from setup script for fortran compiler: {'noopt': ('scipy/integrate/setup.py', 1)}
customize Gnu95FCompiler
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC
creating build/temp.macosx-10.7-x86_64-3.6
creating build/temp.macosx-10.7-x86_64-3.6/scipy
creating build/temp.macosx-10.7-x86_64-3.6/scipy/integrate
creating build/temp.macosx-10.7-x86_64-3.6/scipy/integrate/mach
compile options: '-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'
gfortran:f77: scipy/integrate/mach/xerror.f
scipy/integrate/mach/xerror.f:1:37:
1 | SUBROUTINE XERROR(MESS,NMESS,L1,L2)
| 1
Warning: Unused dummy argument 'l1' at (1) [-Wunused-dummy-argument]
scipy/integrate/mach/xerror.f:1:40:
1 | SUBROUTINE XERROR(MESS,NMESS,L1,L2)
| 1
Warning: Unused dummy argument 'l2' at (1) [-Wunused-dummy-argument]
gfortran:f77: scipy/integrate/mach/d1mach.f
ar: adding 2 object files to build/temp.macosx-10.7-x86_64-3.6/libmach.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libmach.a
building 'quadpack' library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
creating build/temp.macosx-10.7-x86_64-3.6/scipy/integrate/quadpack
compile options: '-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'
gfortran:f77: scipy/integrate/quadpack/dqcheb.f
gfortran:f77: scipy/integrate/quadpack/dqawse.f
gfortran:f77: scipy/integrate/quadpack/dqk41.f
gfortran:f77: scipy/integrate/quadpack/dqawoe.f
scipy/integrate/quadpack/dqawoe.f:449:0:
449 | 70 if(ierro.eq.3.or.erlarg.le.ertest) go to 90
|
Warning: 'ertest' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/quadpack/dqawoe.f:428:0:
428 | erlarg = erlarg-erlast
|
Warning: 'erlarg' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/quadpack/dqawoe.f:505:0:
505 | if(ierro.eq.3) abserr = abserr+correc
|
Warning: 'correc' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/integrate/quadpack/dqc25f.f
scipy/integrate/quadpack/dqc25f.f:327:0:
327 | resc12 = cheb12(13)*chebmo(m,13)
|
Warning: 'm' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/integrate/quadpack/dqwgts.f
gfortran:f77: scipy/integrate/quadpack/dqk51.f
gfortran:f77: scipy/integrate/quadpack/dqagse.f
scipy/integrate/quadpack/dqagse.f:404:0:
404 | small = small*0.5d+00
|
Warning: 'small' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/quadpack/dqagse.f:363:0:
363 | 40 if(ierro.eq.3.or.erlarg.le.ertest) go to 60
|
Warning: 'ertest' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/quadpack/dqagse.f:353:0:
353 | erlarg = erlarg-erlast
|
Warning: 'erlarg' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/quadpack/dqagse.f:418:0:
418 | if(ierro.eq.3) abserr = abserr+correc
|
Warning: 'correc' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/integrate/quadpack/dqng.f
scipy/integrate/quadpack/dqng.f:365:0:
365 | * abserr = resasc*dmin1(0.1d+01,(0.2d+03*abserr/resasc)**1.5d+00)
|
Warning: 'resasc' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/quadpack/dqng.f:367:0:
367 | * ((epmach*0.5d+02)*resabs,abserr)
|
Warning: 'resabs' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/quadpack/dqng.f:363:0:
363 | abserr = dabs((res87-res43)*hlgth)
|
Warning: 'res43' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/integrate/quadpack/dqawf.f
gfortran:f77: scipy/integrate/quadpack/dqk15.f
gfortran:f77: scipy/integrate/quadpack/dqmomo.f
scipy/integrate/quadpack/dqmomo.f:126:5:
126 | 90 return
| 1
Warning: Label 90 at (1) defined but not used [-Wunused-label]
gfortran:f77: scipy/integrate/quadpack/dqelg.f
gfortran:f77: scipy/integrate/quadpack/dqag.f
gfortran:f77: scipy/integrate/quadpack/dqaws.f
gfortran:f77: scipy/integrate/quadpack/dqk15i.f
gfortran:f77: scipy/integrate/quadpack/dqawo.f
gfortran:f77: scipy/integrate/quadpack/dqwgtf.f
scipy/integrate/quadpack/dqwgtf.f:1:49:
1 | double precision function dqwgtf(x,omega,p2,p3,p4,integr)
| 1
Warning: Unused dummy argument 'p2' at (1) [-Wunused-dummy-argument]
scipy/integrate/quadpack/dqwgtf.f:1:52:
1 | double precision function dqwgtf(x,omega,p2,p3,p4,integr)
| 1
Warning: Unused dummy argument 'p3' at (1) [-Wunused-dummy-argument]
scipy/integrate/quadpack/dqwgtf.f:1:55:
1 | double precision function dqwgtf(x,omega,p2,p3,p4,integr)
| 1
Warning: Unused dummy argument 'p4' at (1) [-Wunused-dummy-argument]
gfortran:f77: scipy/integrate/quadpack/dqc25s.f
gfortran:f77: scipy/integrate/quadpack/dqagi.f
gfortran:f77: scipy/integrate/quadpack/dqagp.f
gfortran:f77: scipy/integrate/quadpack/dqawce.f
gfortran:f77: scipy/integrate/quadpack/dqawfe.f
scipy/integrate/quadpack/dqawfe.f:267:10:
267 | 10 l = dabs(omega)
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/integrate/quadpack/dqawfe.f:356:0:
356 | 70 if(abserr/dabs(result).gt.(errsum+drl)/dabs(psum(numrl2)))
|
Warning: 'drl' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/quadpack/dqawfe.f:316:0:
316 | 20 psum(numrl2) = psum(ll)+rslst(lst)
|
Warning: 'll' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/integrate/quadpack/dqwgtc.f
scipy/integrate/quadpack/dqwgtc.f:1:54:
1 | double precision function dqwgtc(x,c,p2,p3,p4,kp)
| 1
Warning: Unused dummy argument 'kp' at (1) [-Wunused-dummy-argument]
scipy/integrate/quadpack/dqwgtc.f:1:45:
1 | double precision function dqwgtc(x,c,p2,p3,p4,kp)
| 1
Warning: Unused dummy argument 'p2' at (1) [-Wunused-dummy-argument]
scipy/integrate/quadpack/dqwgtc.f:1:48:
1 | double precision function dqwgtc(x,c,p2,p3,p4,kp)
| 1
Warning: Unused dummy argument 'p3' at (1) [-Wunused-dummy-argument]
scipy/integrate/quadpack/dqwgtc.f:1:51:
1 | double precision function dqwgtc(x,c,p2,p3,p4,kp)
| 1
Warning: Unused dummy argument 'p4' at (1) [-Wunused-dummy-argument]
gfortran:f77: scipy/integrate/quadpack/dqk61.f
gfortran:f77: scipy/integrate/quadpack/dqagpe.f
scipy/integrate/quadpack/dqagpe.f:297:72:
297 | do 20 j = ip1,nintp1
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 20 at (1)
scipy/integrate/quadpack/dqagpe.f:524:0:
524 | if(ierro.eq.3) abserr = abserr+correc
|
Warning: 'correc' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/quadpack/dqagpe.f:196:21:
196 | * jlow,jupbnd,k,ksgn,ktmin,last,levcur,level,levmax,limit,maxerr,
| ^
Warning: 'k' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/integrate/quadpack/dqags.f
gfortran:f77: scipy/integrate/quadpack/dqc25c.f
gfortran:f77: scipy/integrate/quadpack/dqk21.f
gfortran:f77: scipy/integrate/quadpack/dqk31.f
gfortran:f77: scipy/integrate/quadpack/dqk15w.f
gfortran:f77: scipy/integrate/quadpack/dqpsrt.f
gfortran:f77: scipy/integrate/quadpack/dqawc.f
gfortran:f77: scipy/integrate/quadpack/dqage.f
gfortran:f77: scipy/integrate/quadpack/dqagie.f
scipy/integrate/quadpack/dqagie.f:411:0:
411 | small = small*0.5d+00
|
Warning: 'small' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/quadpack/dqagie.f:372:0:
372 | 40 if(ierro.eq.3.or.erlarg.le.ertest) go to 60
|
Warning: 'ertest' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/quadpack/dqagie.f:362:0:
362 | erlarg = erlarg-erlast
|
Warning: 'erlarg' may be used uninitialized in this function [-Wmaybe-uninitialized]
ar: adding 35 object files to build/temp.macosx-10.7-x86_64-3.6/libquadpack.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libquadpack.a
building 'lsoda' library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
creating build/temp.macosx-10.7-x86_64-3.6/scipy/integrate/odepack
compile options: '-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'
gfortran:f77: scipy/integrate/odepack/blkdta000.f
gfortran:f77: scipy/integrate/odepack/bnorm.f
scipy/integrate/odepack/bnorm.f:24:72:
24 | 10 sum = sum + dabs(a(i1-j,j))/w(j)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
gfortran:f77: scipy/integrate/odepack/cfode.f
scipy/integrate/odepack/cfode.f:62:72:
62 | 110 pc(i) = pc(i-1) + fnqm1*pc(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/cfode.f:71:72:
71 | 120 xpin = xpin + tsign*pc(i)/dfloat(i+1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/cfode.f:76:72:
76 | 130 elco(i+1,nq) = rq1fac*pc(i)/dfloat(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 130 at (1)
scipy/integrate/odepack/cfode.f:99:72:
99 | 210 pc(i) = pc(i-1) + fnq*pc(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/cfode.f:103:72:
103 | 220 elco(i,nq) = pc(i)/pc(2)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
gfortran:f77: scipy/integrate/odepack/ewset.f
scipy/integrate/odepack/ewset.f:17:72:
17 | 15 ewt(i) = rtol(1)*dabs(ycur(i)) + atol(1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/odepack/ewset.f:21:72:
21 | 25 ewt(i) = rtol(1)*dabs(ycur(i)) + atol(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/odepack/ewset.f:25:72:
25 | 35 ewt(i) = rtol(i)*dabs(ycur(i)) + atol(1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 35 at (1)
scipy/integrate/odepack/ewset.f:29:72:
29 | 45 ewt(i) = rtol(i)*dabs(ycur(i)) + atol(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 45 at (1)
gfortran:f77: scipy/integrate/odepack/fnorm.f
scipy/integrate/odepack/fnorm.f:16:72:
16 | 10 sum = sum + dabs(a(i,j))/w(j)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
gfortran:f77: scipy/integrate/odepack/intdy.f
scipy/integrate/odepack/intdy.f:48:72:
48 | 10 ic = ic*jj
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/intdy.f:51:72:
51 | 20 dky(i) = c*yh(i,l)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/intdy.f:61:72:
61 | 30 ic = ic*jj
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 30 at (1)
scipy/integrate/odepack/intdy.f:64:72:
64 | 40 dky(i) = c*yh(i,jp1) + s*dky(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 40 at (1)
scipy/integrate/odepack/intdy.f:69:72:
69 | 60 dky(i) = r*dky(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 60 at (1)
gfortran:f77: scipy/integrate/odepack/lsoda.f
scipy/integrate/odepack/lsoda.f:1178:72:
1178 | 95 rwork(i) = 0.0d0
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 95 at (1)
scipy/integrate/odepack/lsoda.f:1219:72:
1219 | 115 rwork(i+lyh-1) = y(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 115 at (1)
scipy/integrate/odepack/lsoda.f:1226:72:
1226 | 120 rwork(i+lewt-1) = 1.0d0/rwork(i+lewt-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/lsoda.f:1253:72:
1253 | 130 tol = dmax1(tol,rtol(i))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 130 at (1)
scipy/integrate/odepack/lsoda.f:1274:72:
1274 | 190 rwork(i+lf0-1) = h0*rwork(i+lf0-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 190 at (1)
scipy/integrate/odepack/lsoda.f:1330:72:
1330 | 260 rwork(i+lewt-1) = 1.0d0/rwork(i+lewt-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 260 at (1)
scipy/integrate/odepack/lsoda.f:1425:72:
1425 | 410 y(i) = rwork(i+lyh-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 410 at (1)
scipy/integrate/odepack/lsoda.f:1521:72:
1521 | 590 y(i) = rwork(i+lyh-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 590 at (1)
scipy/integrate/odepack/lsoda.f:1428:10:
1428 | if (ihit) t = tcrit
| ^
Warning: 'ihit' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/odepack/lsoda.f:1112:0:
1112 | len1s = len1s + lenwm
|
Warning: 'lenwm' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/integrate/odepack/prja.f
scipy/integrate/odepack/prja.f:69:72:
69 | 110 wm(i+2) = 0.0d0
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/prja.f:77:72:
77 | 120 wm(i+2) = wm(i+2)*con
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/prja.f:96:72:
96 | 220 wm(i+j1) = (ftem(i) - savf(i))*fac
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/prja.f:109:72:
109 | 250 j = j + np1
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 250 at (1)
scipy/integrate/odepack/prja.f:126:72:
126 | 410 wm(i+2) = 0.0d0
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 410 at (1)
scipy/integrate/odepack/prja.f:134:72:
134 | 420 wm(i+2) = wm(i+2)*con
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 420 at (1)
scipy/integrate/odepack/prja.f:151:72:
151 | 530 y(i) = y(i) + r
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 530 at (1)
scipy/integrate/odepack/prja.f:166:72:
166 | 540 wm(ii+i) = (ftem(i) - savf(i))*fac
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 540 at (1)
scipy/integrate/odepack/prja.f:177:72:
177 | 580 ii = ii + meband
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 580 at (1)
gfortran:f77: scipy/integrate/odepack/solsy.f
scipy/integrate/odepack/solsy.f:57:72:
57 | 320 wm(i+2) = 1.0d0/di
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 320 at (1)
scipy/integrate/odepack/solsy.f:59:72:
59 | 340 x(i) = wm(i+2)*x(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 340 at (1)
scipy/integrate/odepack/solsy.f:1:39:
1 | subroutine solsy (wm, iwm, x, tem)
| 1
Warning: Unused dummy argument 'tem' at (1) [-Wunused-dummy-argument]
gfortran:f77: scipy/integrate/odepack/srcma.f
scipy/integrate/odepack/srcma.f:27:72:
27 | 10 rsav(i) = rls(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/srcma.f:29:72:
29 | 15 rsav(lenrls+i) = rlsa(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/odepack/srcma.f:32:72:
32 | 20 isav(i) = ils(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/srcma.f:34:72:
34 | 25 isav(lenils+i) = ilsa(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/odepack/srcma.f:42:72:
42 | 110 rls(i) = rsav(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/srcma.f:44:72:
44 | 115 rlsa(i) = rsav(lenrls+i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 115 at (1)
scipy/integrate/odepack/srcma.f:47:72:
47 | 120 ils(i) = isav(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/srcma.f:49:72:
49 | 125 ilsa(i) = isav(lenils+i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 125 at (1)
gfortran:f77: scipy/integrate/odepack/stoda.f
scipy/integrate/odepack/stoda.f:155:72:
155 | 10 cm2(i) = tesco(2,i)*elco(i+1,i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/stoda.f:158:72:
158 | 20 cm1(i) = tesco(2,i)*elco(i+1,i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/stoda.f:183:72:
183 | 155 el(i) = elco(i,nq)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 155 at (1)
scipy/integrate/odepack/stoda.f:218:72:
218 | do 180 i = 1,n
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 180 at (1)
scipy/integrate/odepack/stoda.f:219:72:
219 | 180 yh(i,j) = yh(i,j)*r
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 180 at (1)
scipy/integrate/odepack/stoda.f:240:72:
240 | 210 yh1(i) = yh1(i) + yh1(i+nyh)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/stoda.f:253:72:
253 | 230 y(i) = yh(i,1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 230 at (1)
scipy/integrate/odepack/stoda.f:275:72:
275 | 260 acor(i) = 0.0d0
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 260 at (1)
scipy/integrate/odepack/stoda.f:283:72:
283 | 290 y(i) = savf(i) - acor(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 290 at (1)
scipy/integrate/odepack/stoda.f:287:72:
287 | 300 acor(i) = savf(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 300 at (1)
scipy/integrate/odepack/stoda.f:295:72:
295 | 360 y(i) = h*savf(i) - (yh(i,2) + acor(i))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 360 at (1)
scipy/integrate/odepack/stoda.f:302:72:
302 | 380 y(i) = yh(i,1) + el(1)*acor(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 380 at (1)
scipy/integrate/odepack/stoda.f:360:72:
360 | 440 yh1(i) = yh1(i) - yh1(i+nyh)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 440 at (1)
scipy/integrate/odepack/stoda.f:399:72:
399 | do 460 i = 1,n
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 460 at (1)
scipy/integrate/odepack/stoda.f:400:72:
400 | 460 yh(i,j) = yh(i,j) + el(j)*acor(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 460 at (1)
scipy/integrate/odepack/stoda.f:508:72:
508 | 490 yh(i,lmax) = acor(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 490 at (1)
scipy/integrate/odepack/stoda.f:524:72:
524 | 510 yh1(i) = yh1(i) - yh1(i+nyh)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 510 at (1)
scipy/integrate/odepack/stoda.f:544:72:
544 | 530 savf(i) = acor(i) - yh(i,lmax)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 530 at (1)
scipy/integrate/odepack/stoda.f:578:72:
578 | 600 yh(i,newq+1) = acor(i)*r
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 600 at (1)
scipy/integrate/odepack/stoda.f:611:72:
611 | 645 y(i) = yh(i,1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 645 at (1)
scipy/integrate/odepack/stoda.f:619:72:
619 | 650 yh(i,2) = h*savf(i)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 650 at (1)
scipy/integrate/odepack/stoda.f:640:72:
640 | 710 acor(i) = acor(i)*r
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 710 at (1)
gfortran:f77: scipy/integrate/odepack/vmnorm.f
scipy/integrate/odepack/vmnorm.f:14:72:
14 | 10 vm = dmax1(vm,dabs(v(i))*w(i))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
gfortran:f77: scipy/integrate/odepack/xerrwv.f
scipy/integrate/odepack/xerrwv.f:1:40:
1 | subroutine xerrwv (msg, nmes, nerr, level, ni, i1, i2, nr, r1, r2)
| 1
Warning: Unused dummy argument 'nerr' at (1) [-Wunused-dummy-argument]
gfortran:f77: scipy/integrate/odepack/xsetf.f
gfortran:f77: scipy/integrate/odepack/xsetun.f
ar: adding 15 object files to build/temp.macosx-10.7-x86_64-3.6/liblsoda.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/liblsoda.a
building 'vode' library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
compile options: '-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'
gfortran:f77: scipy/integrate/odepack/vode.f
scipy/integrate/odepack/vode.f:1347:72:
1347 | 120 RWORK(I+LEWT-1) = ONE/RWORK(I+LEWT-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/vode.f:1412:72:
1412 | 260 RWORK(I+LEWT-1) = ONE/RWORK(I+LEWT-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 260 at (1)
scipy/integrate/odepack/vode.f:1776:72:
1776 | 60 Y(I) = Y0(I) + H*YDOT(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 60 at (1)
scipy/integrate/odepack/vode.f:1779:72:
1779 | 70 TEMP(I) = (TEMP(I) - YDOT(I))/H
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 70 at (1)
scipy/integrate/odepack/vode.f:1906:72:
1906 | 10 IC = IC*JJ
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/vode.f:1909:72:
1909 | 20 DKY(I) = C*YH(I,L)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/vode.f:1919:72:
1919 | 30 IC = IC*JJ
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 30 at (1)
scipy/integrate/odepack/vode.f:1922:72:
1922 | 40 DKY(I) = C*YH(I,JP1) + S*DKY(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 40 at (1)
scipy/integrate/odepack/vode.f:2134:72:
2134 | 110 YH1(I) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/vode.f:2181:72:
2181 | 210 YH1(I) = YH1(I) + YH1(I+LDYH)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/vode.f:2208:72:
2208 | 420 YH1(I) = YH1(I) - YH1(I+LDYH)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 420 at (1)
scipy/integrate/odepack/vode.f:2236:72:
2236 | 470 TAU(I+1) = TAU(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 470 at (1)
scipy/integrate/odepack/vode.f:2267:72:
2267 | 510 YH1(I) = YH1(I) - YH1(I+LDYH)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 510 at (1)
scipy/integrate/odepack/vode.f:2301:72:
2301 | 550 YH(I,2) = H*SAVF(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 550 at (1)
scipy/integrate/odepack/vode.f:2329:72:
2329 | 575 SAVF(I) = ACOR(I) - CNQUOT*YH(I,LMAX)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 575 at (1)
scipy/integrate/odepack/vode.f:2479:72:
2479 | 115 EM(I) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 115 at (1)
scipy/integrate/odepack/vode.f:2486:72:
2486 | 120 S = -S
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/vode.f:2491:72:
2491 | 140 EM(I) = EM(I) + EM(I-1)*RXI
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 140 at (1)
scipy/integrate/odepack/vode.f:2502:72:
2502 | 160 S = -S
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 160 at (1)
scipy/integrate/odepack/vode.f:2507:72:
2507 | 170 EL(I+1) = S*EM(I)/REAL(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 170 at (1)
scipy/integrate/odepack/vode.f:2516:72:
2516 | 180 EM(I) = EM(I) + EM(I-1)*RXI
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 180 at (1)
scipy/integrate/odepack/vode.f:2522:72:
2522 | 190 S = -S
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 190 at (1)
scipy/integrate/odepack/vode.f:2528:72:
2528 | 210 EL(I) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/vode.f:2545:72:
2545 | 220 EL(I) = EL(I) + EL(I-1)*RXI
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/vode.f:2554:72:
2554 | 235 EL(I) = EL(I) + EL(I-1)*RXIS
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 235 at (1)
scipy/integrate/odepack/vode.f:2644:72:
2644 | 110 EL(J) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/vode.f:2654:72:
2654 | 120 EL(I) = EL(I)*XI + EL(I-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/vode.f:2658:72:
2658 | 140 EL(J+1) = REAL(NQ)*EL(J)/REAL(J)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 140 at (1)
scipy/integrate/odepack/vode.f:2662:72:
2662 | 160 YH(I,J) = YH(I,J) - YH(I,L)*EL(J)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 160 at (1)
scipy/integrate/odepack/vode.f:2670:72:
2670 | 190 YH(I,LP1) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 190 at (1)
scipy/integrate/odepack/vode.f:2680:72:
2680 | 210 EL(J) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/vode.f:2690:72:
2690 | 220 EL(I) = EL(I)*XI + EL(I-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/vode.f:2695:72:
2695 | 240 YH(I,J) = YH(I,J) - YH(I,L)*EL(J)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 240 at (1)
scipy/integrate/odepack/vode.f:2700:72:
2700 | 310 EL(J) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 310 at (1)
scipy/integrate/odepack/vode.f:2718:72:
2718 | 320 EL(I) = EL(I)*XIOLD + EL(I-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 320 at (1)
scipy/integrate/odepack/vode.f:2726:72:
2726 | 350 YH(I,LP1) = T1*YH(I,LMAX)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 350 at (1)
scipy/integrate/odepack/vode.f:2894:72:
2894 | 260 ACOR(I) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 260 at (1)
scipy/integrate/odepack/vode.f:2902:72:
2902 | 280 SAVF(I) = RL1*(H*SAVF(I) - YH(I,2))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 280 at (1)
scipy/integrate/odepack/vode.f:2904:72:
2904 | 290 Y(I) = SAVF(I) - ACOR(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 290 at (1)
scipy/integrate/odepack/vode.f:2907:72:
2907 | 300 Y(I) = YH(I,1) + SAVF(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 300 at (1)
scipy/integrate/odepack/vode.f:2917:72:
2917 | 360 Y(I) = (RL1*H)*SAVF(I) - (RL1*YH(I,2) + ACOR(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 360 at (1)
scipy/integrate/odepack/vode.f:2928:72:
2928 | 380 Y(I) = YH(I,1) + ACOR(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 380 at (1)
scipy/integrate/odepack/vode.f:3091:72:
3091 | 110 WM(I+2) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/vode.f:3113:72:
3113 | 220 WM(I+J1) = (FTEM(I) - SAVF(I))*FAC
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/vode.f:3136:72:
3136 | 250 J = J + NP1
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 250 at (1)
scipy/integrate/odepack/vode.f:3153:72:
3153 | 310 Y(I) = Y(I) + R*(H*SAVF(I) - YH(I,2))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 310 at (1)
scipy/integrate/odepack/vode.f:3184:72:
3184 | 410 WM(I+2) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 410 at (1)
scipy/integrate/odepack/vode.f:3205:72:
3205 | 530 Y(I) = Y(I) + R
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 530 at (1)
scipy/integrate/odepack/vode.f:3216:72:
3216 | 540 WM(II+I) = (FTEM(I) - SAVF(I))*FAC
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 540 at (1)
scipy/integrate/odepack/vode.f:3235:72:
3235 | 580 II = II + MEBAND
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 580 at (1)
scipy/integrate/odepack/vode.f:3355:72:
3355 | 320 WM(I+2) = ONE/DI
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 320 at (1)
scipy/integrate/odepack/vode.f:3358:72:
3358 | 340 X(I) = WM(I+2)*X(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 340 at (1)
scipy/integrate/odepack/vode.f:3409:72:
3409 | 10 RSAV(I) = RVOD1(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/vode.f:3411:72:
3411 | 15 RSAV(LENRV1+I) = RVOD2(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/odepack/vode.f:3414:72:
3414 | 20 ISAV(I) = IVOD1(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/vode.f:3416:72:
3416 | 25 ISAV(LENIV1+I) = IVOD2(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/odepack/vode.f:3422:72:
3422 | 110 RVOD1(I) = RSAV(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/vode.f:3424:72:
3424 | 115 RVOD2(I) = RSAV(LENRV1+I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 115 at (1)
scipy/integrate/odepack/vode.f:3427:72:
3427 | 120 IVOD1(I) = ISAV(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/vode.f:3429:72:
3429 | 125 IVOD2(I) = ISAV(LENIV1+I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 125 at (1)
scipy/integrate/odepack/vode.f:3456:72:
3456 | 15 EWT(I) = RTOL(1)*ABS(YCUR(I)) + ATOL(1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/odepack/vode.f:3460:72:
3460 | 25 EWT(I) = RTOL(1)*ABS(YCUR(I)) + ATOL(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/odepack/vode.f:3464:72:
3464 | 35 EWT(I) = RTOL(I)*ABS(YCUR(I)) + ATOL(1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 35 at (1)
scipy/integrate/odepack/vode.f:3468:72:
3468 | 45 EWT(I) = RTOL(I)*ABS(YCUR(I)) + ATOL(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 45 at (1)
scipy/integrate/odepack/vode.f:3494:72:
3494 | 10 SUM = SUM + (V(I)*W(I))**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/vode.f:2370:4:
2370 | 700 R = ONE/TQ(2)
| 1
Warning: Label 700 at (1) defined but not used [-Wunused-label]
scipy/integrate/odepack/vode.f:3519:40:
3519 | SUBROUTINE XERRWD (MSG, NMES, NERR, LEVEL, NI, I1, I2, NR, R1, R2)
| 1
Warning: Unused dummy argument 'nerr' at (1) [-Wunused-dummy-argument]
scipy/integrate/odepack/vode.f:3500:44:
3500 | DOUBLE PRECISION FUNCTION D1MACH (IDUM)
| 1
Warning: Unused dummy argument 'idum' at (1) [-Wunused-dummy-argument]
scipy/integrate/odepack/vode.f:2737:35:
2737 | 1 F, JAC, PDUM, NFLAG, RPAR, IPAR)
| 1
Warning: Unused dummy argument 'pdum' at (1) [-Wunused-dummy-argument]
scipy/integrate/odepack/vode.f:2736:42:
2736 | SUBROUTINE DVNLSD (Y, YH, LDYH, VSAV, SAVF, EWT, ACOR, IWM, WM,
| 1
Warning: Unused dummy argument 'vsav' at (1) [-Wunused-dummy-argument]
scipy/integrate/odepack/vode.f:3615:0:
3615 | INTEGER FUNCTION IXSAV (IPAR, IVALUE, ISET)
|
Warning: '__result_ixsav' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/integrate/odepack/vode.f:1487:10:
1487 | IF (IHIT) T = TCRIT
| ^
Warning: 'ihit' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/integrate/odepack/zvode.f
scipy/integrate/odepack/zvode.f:1362:72:
1362 | 120 RWORK(I+LEWT-1) = ONE/RWORK(I+LEWT-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/zvode.f:1427:72:
1427 | 260 RWORK(I+LEWT-1) = ONE/RWORK(I+LEWT-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 260 at (1)
scipy/integrate/odepack/zvode.f:1795:72:
1795 | 60 Y(I) = Y0(I) + H*YDOT(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 60 at (1)
scipy/integrate/odepack/zvode.f:1798:72:
1798 | 70 TEMP(I) = (TEMP(I) - YDOT(I))/H
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 70 at (1)
scipy/integrate/odepack/zvode.f:1926:72:
1926 | 10 IC = IC*JJ
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/zvode.f:1929:72:
1929 | 20 DKY(I) = C*YH(I,L)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/zvode.f:1939:72:
1939 | 30 IC = IC*JJ
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 30 at (1)
scipy/integrate/odepack/zvode.f:1942:72:
1942 | 40 DKY(I) = C*YH(I,JP1) + S*DKY(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 40 at (1)
scipy/integrate/odepack/zvode.f:2155:72:
2155 | 110 YH1(I) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/zvode.f:2202:72:
2202 | 210 YH1(I) = YH1(I) + YH1(I+LDYH)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/zvode.f:2229:72:
2229 | 420 YH1(I) = YH1(I) - YH1(I+LDYH)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 420 at (1)
scipy/integrate/odepack/zvode.f:2257:72:
2257 | 470 TAU(I+1) = TAU(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 470 at (1)
scipy/integrate/odepack/zvode.f:2288:72:
2288 | 510 YH1(I) = YH1(I) - YH1(I+LDYH)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 510 at (1)
scipy/integrate/odepack/zvode.f:2322:72:
2322 | 550 YH(I,2) = H*SAVF(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 550 at (1)
scipy/integrate/odepack/zvode.f:2350:72:
2350 | 575 SAVF(I) = ACOR(I) - CNQUOT*YH(I,LMAX)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 575 at (1)
scipy/integrate/odepack/zvode.f:2500:72:
2500 | 115 EM(I) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 115 at (1)
scipy/integrate/odepack/zvode.f:2507:72:
2507 | 120 S = -S
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/zvode.f:2512:72:
2512 | 140 EM(I) = EM(I) + EM(I-1)*RXI
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 140 at (1)
scipy/integrate/odepack/zvode.f:2523:72:
2523 | 160 S = -S
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 160 at (1)
scipy/integrate/odepack/zvode.f:2528:72:
2528 | 170 EL(I+1) = S*EM(I)/REAL(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 170 at (1)
scipy/integrate/odepack/zvode.f:2537:72:
2537 | 180 EM(I) = EM(I) + EM(I-1)*RXI
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 180 at (1)
scipy/integrate/odepack/zvode.f:2543:72:
2543 | 190 S = -S
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 190 at (1)
scipy/integrate/odepack/zvode.f:2549:72:
2549 | 210 EL(I) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/zvode.f:2566:72:
2566 | 220 EL(I) = EL(I) + EL(I-1)*RXI
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/zvode.f:2575:72:
2575 | 235 EL(I) = EL(I) + EL(I-1)*RXIS
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 235 at (1)
scipy/integrate/odepack/zvode.f:2665:72:
2665 | 110 EL(J) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/zvode.f:2675:72:
2675 | 120 EL(I) = EL(I)*XI + EL(I-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/zvode.f:2679:72:
2679 | 140 EL(J+1) = REAL(NQ)*EL(J)/REAL(J)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 140 at (1)
scipy/integrate/odepack/zvode.f:2683:72:
2683 | 160 YH(I,J) = YH(I,J) - YH(I,L)*EL(J)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 160 at (1)
scipy/integrate/odepack/zvode.f:2691:72:
2691 | 190 YH(I,LP1) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 190 at (1)
scipy/integrate/odepack/zvode.f:2701:72:
2701 | 210 EL(J) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/zvode.f:2711:72:
2711 | 220 EL(I) = EL(I)*XI + EL(I-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/zvode.f:2716:72:
2716 | 240 YH(I,J) = YH(I,J) - YH(I,L)*EL(J)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 240 at (1)
scipy/integrate/odepack/zvode.f:2721:72:
2721 | 310 EL(J) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 310 at (1)
scipy/integrate/odepack/zvode.f:2739:72:
2739 | 320 EL(I) = EL(I)*XIOLD + EL(I-1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 320 at (1)
scipy/integrate/odepack/zvode.f:2747:72:
2747 | 350 YH(I,LP1) = T1*YH(I,LMAX)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 350 at (1)
scipy/integrate/odepack/zvode.f:2916:72:
2916 | 260 ACOR(I) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 260 at (1)
scipy/integrate/odepack/zvode.f:2924:72:
2924 | 280 SAVF(I) = RL1*(H*SAVF(I) - YH(I,2))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 280 at (1)
scipy/integrate/odepack/zvode.f:2926:72:
2926 | 290 Y(I) = SAVF(I) - ACOR(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 290 at (1)
scipy/integrate/odepack/zvode.f:2929:72:
2929 | 300 Y(I) = YH(I,1) + SAVF(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 300 at (1)
scipy/integrate/odepack/zvode.f:2939:72:
2939 | 360 Y(I) = (RL1*H)*SAVF(I) - (RL1*YH(I,2) + ACOR(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 360 at (1)
scipy/integrate/odepack/zvode.f:2950:72:
2950 | 380 Y(I) = YH(I,1) + ACOR(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 380 at (1)
scipy/integrate/odepack/zvode.f:3110:72:
3110 | 110 WM(I) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/zvode.f:3131:72:
3131 | 220 WM(I+J1) = (FTEM(I) - SAVF(I))*FAC
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/zvode.f:3154:72:
3154 | 250 J = J + NP1
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 250 at (1)
scipy/integrate/odepack/zvode.f:3170:72:
3170 | 310 Y(I) = Y(I) + R*(H*SAVF(I) - YH(I,2))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 310 at (1)
scipy/integrate/odepack/zvode.f:3201:72:
3201 | 410 WM(I) = ZERO
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 410 at (1)
scipy/integrate/odepack/zvode.f:3221:72:
3221 | 530 Y(I) = Y(I) + R
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 530 at (1)
scipy/integrate/odepack/zvode.f:3232:72:
3232 | 540 WM(II+I) = (FTEM(I) - SAVF(I))*FAC
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 540 at (1)
scipy/integrate/odepack/zvode.f:3251:72:
3251 | 580 II = II + MEBAND
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 580 at (1)
scipy/integrate/odepack/zvode.f:3367:72:
3367 | 320 WM(I) = ONE/DI
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 320 at (1)
scipy/integrate/odepack/zvode.f:3370:72:
3370 | 340 X(I) = WM(I)*X(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 340 at (1)
scipy/integrate/odepack/zvode.f:3421:72:
3421 | 10 RSAV(I) = RVOD1(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/zvode.f:3423:72:
3423 | 15 RSAV(LENRV1+I) = RVOD2(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/odepack/zvode.f:3426:72:
3426 | 20 ISAV(I) = IVOD1(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/zvode.f:3428:72:
3428 | 25 ISAV(LENIV1+I) = IVOD2(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/odepack/zvode.f:3434:72:
3434 | 110 RVOD1(I) = RSAV(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/zvode.f:3436:72:
3436 | 115 RVOD2(I) = RSAV(LENRV1+I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 115 at (1)
scipy/integrate/odepack/zvode.f:3439:72:
3439 | 120 IVOD1(I) = ISAV(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/zvode.f:3441:72:
3441 | 125 IVOD2(I) = ISAV(LENIV1+I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 125 at (1)
scipy/integrate/odepack/zvode.f:3475:72:
3475 | 15 EWT(I) = RTOL(1)*ABS(YCUR(I)) + ATOL(1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/odepack/zvode.f:3479:72:
3479 | 25 EWT(I) = RTOL(1)*ABS(YCUR(I)) + ATOL(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/odepack/zvode.f:3483:72:
3483 | 35 EWT(I) = RTOL(I)*ABS(YCUR(I)) + ATOL(1)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 35 at (1)
scipy/integrate/odepack/zvode.f:3487:72:
3487 | 45 EWT(I) = RTOL(I)*ABS(YCUR(I)) + ATOL(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 45 at (1)
scipy/integrate/odepack/zvode.f:3519:72:
3519 | 10 SUM = SUM + ZABSSQ(V(I)) * W(I)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/zvode.f:2391:4:
2391 | 700 R = ONE/TQ(2)
| 1
Warning: Label 700 at (1) defined but not used [-Wunused-label]
scipy/integrate/odepack/zvode.f:2758:35:
2758 | 1 F, JAC, PDUM, NFLAG, RPAR, IPAR)
| 1
Warning: Unused dummy argument 'pdum' at (1) [-Wunused-dummy-argument]
scipy/integrate/odepack/zvode.f:2757:42:
2757 | SUBROUTINE ZVNLSD (Y, YH, LDYH, VSAV, SAVF, EWT, ACOR, IWM, WM,
| 1
Warning: Unused dummy argument 'vsav' at (1) [-Wunused-dummy-argument]
scipy/integrate/odepack/zvode.f:1502:10:
1502 | IF (IHIT) T = TCRIT
| ^
Warning: 'ihit' may be used uninitialized in this function [-Wmaybe-uninitialized]
ar: adding 2 object files to build/temp.macosx-10.7-x86_64-3.6/libvode.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libvode.a
building 'dop' library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
creating build/temp.macosx-10.7-x86_64-3.6/scipy/integrate/dop
compile options: '-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'
gfortran:f77: scipy/integrate/dop/dop853.f
scipy/integrate/dop/dop853.f:590:72:
590 | 22 Y1(I)=Y(I)+H*A21*K1(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 22 at (1)
scipy/integrate/dop/dop853.f:593:72:
593 | 23 Y1(I)=Y(I)+H*(A31*K1(I)+A32*K2(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 23 at (1)
scipy/integrate/dop/dop853.f:596:72:
596 | 24 Y1(I)=Y(I)+H*(A41*K1(I)+A43*K3(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 24 at (1)
scipy/integrate/dop/dop853.f:599:72:
599 | 25 Y1(I)=Y(I)+H*(A51*K1(I)+A53*K3(I)+A54*K4(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/dop/dop853.f:602:72:
602 | 26 Y1(I)=Y(I)+H*(A61*K1(I)+A64*K4(I)+A65*K5(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 26 at (1)
scipy/integrate/dop/dop853.f:605:72:
605 | 27 Y1(I)=Y(I)+H*(A71*K1(I)+A74*K4(I)+A75*K5(I)+A76*K6(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 27 at (1)
scipy/integrate/dop/dop853.f:608:72:
608 | 28 Y1(I)=Y(I)+H*(A81*K1(I)+A84*K4(I)+A85*K5(I)+A86*K6(I)+A87*K7(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 28 at (1)
scipy/integrate/dop/dop853.f:612:72:
612 | & +A98*K8(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 29 at (1)
scipy/integrate/dop/dop853.f:616:72:
616 | & +A107*K7(I)+A108*K8(I)+A109*K9(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 30 at (1)
scipy/integrate/dop/dop853.f:620:72:
620 | & +A117*K7(I)+A118*K8(I)+A119*K9(I)+A1110*K10(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 31 at (1)
scipy/integrate/dop/dop853.f:625:72:
625 | & +A127*K7(I)+A128*K8(I)+A129*K9(I)+A1210*K10(I)+A1211*K2(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 32 at (1)
scipy/integrate/dop/dop853.f:631:72:
631 | 35 K5(I)=Y(I)+H*K4(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 35 at (1)
scipy/integrate/dop/dop853.f:642:72:
642 | 41 ERR=ERR+(ERRI/SK)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 41 at (1)
scipy/integrate/dop/dop853.f:650:72:
650 | 42 ERR=ERR+(ERRI/SK)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 42 at (1)
scipy/integrate/dop/dop853.f:714:72:
714 | & +A1413*K4(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 51 at (1)
scipy/integrate/dop/dop853.f:719:72:
719 | & +A1514*K10(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 52 at (1)
scipy/integrate/dop/dop853.f:724:72:
724 | & +A1615*K2(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 53 at (1)
scipy/integrate/dop/dop853.f:743:72:
743 | 67 Y(I)=K5(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 67 at (1)
scipy/integrate/dop/dop853.f:811:72:
811 | 10 DNY=DNY+(Y(I)/SK)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/dop/dop853.f:816:72:
816 | 11 DNY=DNY+(Y(I)/SK)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 11 at (1)
scipy/integrate/dop/dop853.f:827:72:
827 | 12 Y1(I)=Y(I)+H*F0(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 12 at (1)
scipy/integrate/dop/dop853.f:834:72:
834 | 15 DER2=DER2+((F1(I)-F0(I))/SK)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/dop/dop853.f:838:72:
838 | 16 DER2=DER2+((F1(I)-F0(I))/SK)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 16 at (1)
scipy/integrate/dop/dop853.f:364:42:
364 | & SOLOUT,IOUT,IDID,NMAX,UROUND,METH,NSTIFF,SAFE,BETA,FAC1,FAC2,
| 1
Warning: Unused dummy argument 'meth' at (1) [-Wunused-dummy-argument]
scipy/integrate/dop/dop853.f:791:38:
791 | FUNCTION HINIT853(N,FCN,X,Y,XEND,POSNEG,F0,F1,Y1,IORD,
| 1
Warning: Unused dummy argument 'xend' at (1) [-Wunused-dummy-argument]
scipy/integrate/dop/dop853.f:686:0:
686 | NONSTI=NONSTI+1
|
Warning: 'nonsti' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/integrate/dop/dopri5.f
scipy/integrate/dop/dopri5.f:249:72:
249 | 16 IWORK(20+I)=I
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 16 at (1)
scipy/integrate/dop/dopri5.f:422:72:
422 | 22 Y1(I)=Y(I)+H*A21*K1(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 22 at (1)
scipy/integrate/dop/dopri5.f:425:72:
425 | 23 Y1(I)=Y(I)+H*(A31*K1(I)+A32*K2(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 23 at (1)
scipy/integrate/dop/dopri5.f:428:72:
428 | 24 Y1(I)=Y(I)+H*(A41*K1(I)+A42*K2(I)+A43*K3(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 24 at (1)
scipy/integrate/dop/dopri5.f:431:72:
431 | 25 Y1(I)=Y(I)+H*(A51*K1(I)+A52*K2(I)+A53*K3(I)+A54*K4(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/dop/dopri5.f:434:72:
434 | 26 YSTI(I)=Y(I)+H*(A61*K1(I)+A62*K2(I)+A63*K3(I)+A64*K4(I)+A65*K5(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 26 at (1)
scipy/integrate/dop/dopri5.f:438:72:
438 | 27 Y1(I)=Y(I)+H*(A71*K1(I)+A73*K3(I)+A74*K4(I)+A75*K5(I)+A76*K6(I))
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 27 at (1)
scipy/integrate/dop/dopri5.f:448:72:
448 | 28 K4(I)=(E1*K1(I)+E3*K3(I)+E4*K4(I)+E5*K5(I)+E6*K6(I)+E7*K2(I))*H
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 28 at (1)
scipy/integrate/dop/dopri5.f:455:72:
455 | 41 ERR=ERR+(K4(I)/SK)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 41 at (1)
scipy/integrate/dop/dopri5.f:459:72:
459 | 42 ERR=ERR+(K4(I)/SK)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 42 at (1)
scipy/integrate/dop/dopri5.f:509:72:
509 | 44 Y(I)=Y1(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 44 at (1)
scipy/integrate/dop/dopri5.f:578:72:
578 | 10 DNY=DNY+(Y(I)/SK)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/dop/dopri5.f:583:72:
583 | 11 DNY=DNY+(Y(I)/SK)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 11 at (1)
scipy/integrate/dop/dopri5.f:594:72:
594 | 12 Y1(I)=Y(I)+H*F0(I)
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 12 at (1)
scipy/integrate/dop/dopri5.f:601:72:
601 | 15 DER2=DER2+((F1(I)-F0(I))/SK)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/dop/dopri5.f:605:72:
605 | 16 DER2=DER2+((F1(I)-F0(I))/SK)**2
| 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 16 at (1)
scipy/integrate/dop/dopri5.f:558:35:
558 | FUNCTION HINIT(N,FCN,X,Y,XEND,POSNEG,F0,F1,Y1,IORD,
| 1
Warning: Unused dummy argument 'xend' at (1) [-Wunused-dummy-argument]
scipy/integrate/dop/dopri5.f:491:0:
491 | NONSTI=NONSTI+1
|
Warning: 'nonsti' may be used uninitialized in this function [-Wmaybe-uninitialized]
ar: adding 2 object files to build/temp.macosx-10.7-x86_64-3.6/libdop.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libdop.a
building 'fitpack' library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
creating build/temp.macosx-10.7-x86_64-3.6/scipy/interpolate
creating build/temp.macosx-10.7-x86_64-3.6/scipy/interpolate/fitpack
compile options: '-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'
gfortran:f77: scipy/interpolate/fitpack/fptrnp.f
scipy/interpolate/fitpack/fptrnp.f:39:72:
39 | do 100 j=1,5
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 100 at (1)
scipy/interpolate/fitpack/fptrnp.f:70:72:
70 | do 400 jj=1,mm
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 400 at (1)
scipy/interpolate/fitpack/fptrnp.f:87:72:
87 | do 500 jj=1,mm
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 500 at (1)
scipy/interpolate/fitpack/fptrnp.f:53:0:
53 | h(j) = b(n1,j)*pinv
|
Warning: 'pinv' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fprank.f
scipy/interpolate/fitpack/fprank.f:90:72:
90 | do 100 j=1,m
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 100 at (1)
gfortran:f77: scipy/interpolate/fitpack/fpbspl.f
scipy/interpolate/fitpack/fpbspl.f:31:72:
31 | do 20 i=1,j
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 20 at (1)
gfortran:f77: scipy/interpolate/fitpack/pogrid.f
gfortran:f77: scipy/interpolate/fitpack/fpback.f
gfortran:f77: scipy/interpolate/fitpack/curev.f
gfortran:f77: scipy/interpolate/fitpack/clocur.f
gfortran:f77: scipy/interpolate/fitpack/pardeu.f
gfortran:f77: scipy/interpolate/fitpack/fpseno.f
gfortran:f77: scipy/interpolate/fitpack/fpfrno.f
scipy/interpolate/fitpack/fpfrno.f:42:0:
42 | right(k) = count
|
Warning: 'k' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/profil.f
gfortran:f77: scipy/interpolate/fitpack/fpbisp.f
gfortran:f77: scipy/interpolate/fitpack/fppocu.f
gfortran:f77: scipy/interpolate/fitpack/curfit.f
gfortran:f77: scipy/interpolate/fitpack/fpcosp.f
scipy/interpolate/fitpack/fpcosp.f:61:72:
61 | do 20 j=1,4
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 20 at (1)
scipy/interpolate/fitpack/fpcosp.f:91:72:
91 | do 60 j3 = j1,l
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 60 at (1)
scipy/interpolate/fitpack/fpcosp.f:157:72:
157 | do 170 j=1,kdim
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 170 at (1)
gfortran:f77: scipy/interpolate/fitpack/fprota.f
gfortran:f77: scipy/interpolate/fitpack/sproot.f
gfortran:f77: scipy/interpolate/fitpack/fpgrre.f
scipy/interpolate/fitpack/fpgrre.f:115:72:
115 | do 140 j=1,kx2
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 140 at (1)
scipy/interpolate/fitpack/fpgrre.f:185:72:
185 | do 290 j=1,ky2
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 290 at (1)
scipy/interpolate/fitpack/fpgrre.f:199:0:
199 | h(j) = by(n1,j)*pinv
|
Warning: 'pinv' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/parder.f
gfortran:f77: scipy/interpolate/fitpack/splder.f
gfortran:f77: scipy/interpolate/fitpack/fpchep.f
gfortran:f77: scipy/interpolate/fitpack/sphere.f
gfortran:f77: scipy/interpolate/fitpack/surfit.f
gfortran:f77: scipy/interpolate/fitpack/fppasu.f
scipy/interpolate/fitpack/fppasu.f:272:33:
272 | if(reducu.gt.acc) npl1 = rn*fpms/reducu
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fppasu.f:279:33:
279 | if(reducv.gt.acc) npl1 = rn*fpms/reducv
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fppasu.f:336:0:
336 | f3 = fpms
|
Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppasu.f:308:13:
308 | if(nv.eq.nve) go to 250
| ^
Warning: 'nve' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppasu.f:295:13:
295 | if(nu.eq.nue) go to 250
| ^
Warning: 'nue' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppasu.f:251:0:
251 | if(nu.eq.nmaxu .and. nv.eq.nmaxv) go to 430
|
Warning: 'nmaxv' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppasu.f:251:28:
251 | if(nu.eq.nmaxu .and. nv.eq.nmaxv) go to 430
| ^
Warning: 'nmaxu' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppasu.f:367:11:
367 | if((f1-f2).gt.acc) go to 330
| ^
Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppasu.f:230:0:
230 | tv(l2) = tv(l4)-perv
|
Warning: 'perv' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppasu.f:209:0:
209 | tu(l3) = tu(l1)+peru
|
Warning: 'peru' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fprati.f
gfortran:f77: scipy/interpolate/fitpack/fpcons.f
scipy/interpolate/fitpack/fpcons.f:131:72:
131 | do 80 j=1,k1
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 80 at (1)
scipy/interpolate/fitpack/fpcons.f:321:72:
321 | do 260 j=1,k1
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 260 at (1)
scipy/interpolate/fitpack/fpcons.f:224:35:
224 | if(fpold-fp.gt.acc) npl1 = rn*fpms/(fpold-fp)
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fpcons.f:225:0:
225 | nplus = min0(nplus*2,max0(npl1,nplus/2,1))
|
Warning: 'nplus' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpcons.f:264:13:
264 | if(n.eq.nmax) go to 25
| ^
Warning: 'nmax' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpcons.f:383:0:
383 | if(u(it).lt.t(l) .or. l.gt.nk1) go to 310
|
Warning: 'nk1' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpcons.f:81:0:
81 | t(i) = u(j)
|
Warning: 'mm' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpcons.f:12:56:
12 | real*8 acc,con1,con4,con9,cos,fac,fpart,fpms,fpold,fp0,f1,f2,f3,
| ^
Warning: 'fpold' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpcons.f:301:0:
301 | f3 = fpms
|
Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpcons.f:12:60:
12 | real*8 acc,con1,con4,con9,cos,fac,fpart,fpms,fpold,fp0,f1,f2,f3,
| ^
Warning: 'fp0' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpcons.f:418:11:
418 | if((f1-f2).gt.acc) go to 345
| ^
Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fpspgr.f
scipy/interpolate/fitpack/fpspgr.f:315:33:
315 | if(reducu.gt.acc) npl1 = rn*fpms/reducu
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fpspgr.f:322:33:
322 | if(reducv.gt.acc) npl1 = rn*fpms/reducv
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fpspgr.f:382:0:
382 | f3 = fpms
|
Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpspgr.f:414:11:
414 | if((f1-f2).gt.acc) go to 330
| ^
Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpspgr.f:287:0:
287 | if(nu.eq.numax .and. nv.eq.nvmax) go to 430
|
Warning: 'nvmax' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpspgr.f:344:11:
344 | 230 if(nv.eq.nve) go to 210
| ^
Warning: 'nve' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpspgr.f:287:28:
287 | if(nu.eq.numax .and. nv.eq.nvmax) go to 430
| ^
Warning: 'numax' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpspgr.f:341:13:
341 | if(nu.eq.nue) go to 270
| ^
Warning: 'nue' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/splint.f
gfortran:f77: scipy/interpolate/fitpack/concur.f
gfortran:f77: scipy/interpolate/fitpack/fprpsp.f
gfortran:f77: scipy/interpolate/fitpack/fpopdi.f
gfortran:f77: scipy/interpolate/fitpack/spalde.f
gfortran:f77: scipy/interpolate/fitpack/fppogr.f
scipy/interpolate/fitpack/fppogr.f:286:33:
286 | if(reducu.gt.acc) npl1 = rn*fpms/reducu
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fppogr.f:293:33:
293 | if(reducv.gt.acc) npl1 = rn*fpms/reducv
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fppogr.f:353:0:
353 | f3 = fpms
|
Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppogr.f:385:11:
385 | if((f1-f2).gt.acc) go to 330
| ^
Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppogr.f:260:0:
260 | if(nu.eq.numax .and. nv.eq.nvmax) go to 430
|
Warning: 'nvmax' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppogr.f:315:11:
315 | 230 if(nv.eq.nve) go to 210
| ^
Warning: 'nve' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppogr.f:260:28:
260 | if(nu.eq.numax .and. nv.eq.nvmax) go to 430
| ^
Warning: 'numax' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppogr.f:312:13:
312 | if(nu.eq.nue) go to 270
| ^
Warning: 'nue' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fpperi.f
scipy/interpolate/fitpack/fpperi.f:172:72:
172 | do 70 j=1,kk1
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 70 at (1)
scipy/interpolate/fitpack/fpperi.f:201:72:
201 | do 95 j=1,kk
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 95 at (1)
scipy/interpolate/fitpack/fpperi.f:445:72:
445 | do 360 j=1,k
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 360 at (1)
scipy/interpolate/fitpack/fpperi.f:339:35:
339 | if(fpold-fp.gt.acc) npl1 = rn*fpms/(fpold-fp)
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fpperi.f:340:0:
340 | nplus = min0(nplus*2,max0(npl1,nplus/2,1))
|
Warning: 'nplus' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpperi.f:375:13:
375 | if(n.eq.nmax) go to 5
| ^
Warning: 'nmax' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpperi.f:468:15:
468 | if(l0.eq.n10) go to 400
| ^
Warning: 'n10' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpperi.f:266:0:
266 | h1(i1) = 0.
|
Warning: 'i1' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpperi.f:13:43:
13 | real*8 acc,cos,c1,d1,fpart,fpms,fpold,fp0,f1,f2,f3,p,per,pinv,piv,
| ^
Warning: 'fpold' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpperi.f:409:0:
409 | f3 = fpms
|
Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpperi.f:407:0:
407 | f1 = fp0-s
|
Warning: 'fp0' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpperi.f:574:11:
574 | if((f1-f2) .gt. acc) go to 585
| ^
Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fpsurf.f
scipy/interpolate/fitpack/fpsurf.f:172:72:
172 | do 140 j=1,iband
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 140 at (1)
scipy/interpolate/fitpack/fpsurf.f:273:72:
273 | do 290 j=1,iband
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 290 at (1)
scipy/interpolate/fitpack/fpsurf.f:447:72:
447 | do 480 j=ibb,iband4
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 480 at (1)
scipy/interpolate/fitpack/fpsurf.f:455:72:
455 | do 550 j=1,nk1x
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 550 at (1)
scipy/interpolate/fitpack/fpsurf.f:497:72:
497 | do 630 j=1,nk1y
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 630 at (1)
scipy/interpolate/fitpack/fpsurf.f:642:72:
642 | do 840 j=1,nk1y
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 840 at (1)
scipy/interpolate/fitpack/fpsurf.f:427:0:
427 | do 460 i=1,ncof
|
Warning: 'ncof' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpsurf.f:22:43:
22 | * nrint,num,num1,nx,nxe,nxx,ny,nye,nyy,n1,rank
| ^
Warning: 'nyy' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpsurf.f:621:0:
621 | 780 ier = lwest
|
Warning: 'lwest' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpsurf.f:471:0:
471 | i2 = min0(iband1,ncof-irot)
|
Warning: 'iband1' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpsurf.f:425:0:
425 | f3 = fpms
|
Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpsurf.f:605:11:
605 | if((f1-f2).gt.acc) go to 750
| ^
Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/dblint.f
gfortran:f77: scipy/interpolate/fitpack/fpinst.f
gfortran:f77: scipy/interpolate/fitpack/cualde.f
gfortran:f77: scipy/interpolate/fitpack/fpgrsp.f
scipy/interpolate/fitpack/fpgrsp.f:255:72:
255 | do 240 j=1,5
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 240 at (1)
scipy/interpolate/fitpack/fpgrsp.f:372:72:
372 | do 440 j=1,4
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 440 at (1)
scipy/interpolate/fitpack/fpgrsp.f:17:68:
17 | real*8 arg,co,dr01,dr02,dr03,dr11,dr12,dr13,fac,fac0,fac1,pinv,piv
| ^
Warning: 'pinv' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fpbacp.f
gfortran:f77: scipy/interpolate/fitpack/fpclos.f
scipy/interpolate/fitpack/fpclos.f:200:72:
200 | do 70 j=1,kk1
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 70 at (1)
scipy/interpolate/fitpack/fpclos.f:233:72:
233 | do 95 j=1,kk
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 95 at (1)
scipy/interpolate/fitpack/fpclos.f:510:72:
510 | do 360 j=1,k
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 360 at (1)
scipy/interpolate/fitpack/fpclos.f:395:35:
395 | if(fpold-fp.gt.acc) npl1 = rn*fpms/(fpold-fp)
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fpclos.f:396:0:
396 | nplus = min0(nplus*2,max0(npl1,nplus/2,1))
|
Warning: 'nplus' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpclos.f:438:13:
438 | if(n.eq.nmax) go to 5
| ^
Warning: 'nmax' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpclos.f:535:15:
535 | if(l0.eq.n10) go to 400
| ^
Warning: 'n10' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpclos.f:302:0:
302 | h1(i1) = 0.
|
Warning: 'i1' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpclos.f:13:44:
13 | real*8 acc,cos,d1,fac,fpart,fpms,fpold,fp0,f1,f2,f3,p,per,pinv,piv
| ^
Warning: 'fpold' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpclos.f:472:0:
472 | f3 = fpms
|
Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpclos.f:470:0:
470 | f1 = fp0-s
|
Warning: 'fp0' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpclos.f:663:11:
663 | if((f1-f2) .gt. acc) go to 585
| ^
Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fpregr.f
scipy/interpolate/fitpack/fpregr.f:246:33:
246 | if(reducx.gt.acc) npl1 = rn*fpms/reducx
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fpregr.f:253:33:
253 | if(reducy.gt.acc) npl1 = rn*fpms/reducy
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fpregr.f:310:0:
310 | f3 = fpms
|
Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpregr.f:282:13:
282 | if(ny.eq.nye) go to 250
| ^
Warning: 'nye' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpregr.f:269:13:
269 | if(nx.eq.nxe) go to 250
| ^
Warning: 'nxe' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpregr.f:225:0:
225 | if(nx.eq.nmaxx .and. ny.eq.nmaxy) go to 430
|
Warning: 'nmaxy' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpregr.f:225:28:
225 | if(nx.eq.nmaxx .and. ny.eq.nmaxy) go to 430
| ^
Warning: 'nmaxx' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpregr.f:341:11:
341 | if((f1-f2).gt.acc) go to 330
| ^
Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fpadno.f
gfortran:f77: scipy/interpolate/fitpack/fpcsin.f
gfortran:f77: scipy/interpolate/fitpack/spgrid.f
gfortran:f77: scipy/interpolate/fitpack/fpcuro.f
gfortran:f77: scipy/interpolate/fitpack/concon.f
gfortran:f77: scipy/interpolate/fitpack/fpbfout.f
scipy/interpolate/fitpack/fpbfout.f:76:72:
76 | do 20 ll=i,4
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 20 at (1)
scipy/interpolate/fitpack/fpbfout.f:108:72:
108 | do 50 ll=jj,4
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 50 at (1)
scipy/interpolate/fitpack/fpbfout.f:185:72:
185 | do 180 ll=i,4
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 180 at (1)
scipy/interpolate/fitpack/fpbfout.f:117:0:
117 | c2 = (hc(5)-hc(4))*term
|
Warning: 'term' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/evapol.f
gfortran:f77: scipy/interpolate/fitpack/fpcyt1.f
gfortran:f77: scipy/interpolate/fitpack/fpdisc.f
gfortran:f77: scipy/interpolate/fitpack/surev.f
gfortran:f77: scipy/interpolate/fitpack/fpsuev.f
gfortran:f77: scipy/interpolate/fitpack/fpchec.f
gfortran:f77: scipy/interpolate/fitpack/fpintb.f
scipy/interpolate/fitpack/fpintb.f:91:72:
91 | do 70 i=1,j1
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 70 at (1)
scipy/interpolate/fitpack/fpintb.f:115:9:
115 | if(ib.lt.ia) go to 130
| ^
Warning: 'ia' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/insert.f
gfortran:f77: scipy/interpolate/fitpack/bispeu.f
gfortran:f77: scipy/interpolate/fitpack/fptrpe.f
scipy/interpolate/fitpack/fptrpe.f:51:72:
51 | do 100 j=1,4
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 100 at (1)
scipy/interpolate/fitpack/fptrpe.f:80:72:
80 | do 220 jj=1,mm
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 220 at (1)
scipy/interpolate/fitpack/fptrpe.f:135:72:
135 | do 440 jj=1,mm
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 440 at (1)
scipy/interpolate/fitpack/fptrpe.f:167:72:
167 | do 580 jj=1,mm
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 580 at (1)
scipy/interpolate/fitpack/fptrpe.f:193:72:
193 | do 660 jj=1,mm
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 660 at (1)
scipy/interpolate/fitpack/fptrpe.f:64:0:
64 | h(j) = b(n1,j)*pinv
|
Warning: 'pinv' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fpadpo.f
gfortran:f77: scipy/interpolate/fitpack/fpknot.f
scipy/interpolate/fitpack/fpknot.f:41:0:
41 | ihalf = maxpt/2+1
|
Warning: 'maxpt' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpknot.f:42:0:
42 | nrx = maxbeg+ihalf
|
Warning: 'maxbeg' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpknot.f:43:0:
43 | next = number+1
|
Warning: 'number' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fpcurf.f
scipy/interpolate/fitpack/fpcurf.f:119:72:
119 | do 80 j=1,k1
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 80 at (1)
scipy/interpolate/fitpack/fpcurf.f:274:72:
274 | do 260 j=1,k1
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 260 at (1)
scipy/interpolate/fitpack/fpcurf.f:186:35:
186 | if(fpold-fp.gt.acc) npl1 = rn*fpms/(fpold-fp)
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fpcurf.f:187:0:
187 | nplus = min0(nplus*2,max0(npl1,nplus/2,1))
|
Warning: 'nplus' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpcurf.f:219:13:
219 | if(n.eq.nmax) go to 10
| ^
Warning: 'nmax' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpcurf.f:12:57:
12 | real*8 acc,con1,con4,con9,cos,half,fpart,fpms,fpold,fp0,f1,f2,f3,
| ^
Warning: 'fpold' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpcurf.f:256:0:
256 | f3 = fpms
|
Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpcurf.f:12:61:
12 | real*8 acc,con1,con4,con9,cos,half,fpart,fpms,fpold,fp0,f1,f2,f3,
| ^
Warning: 'fp0' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpcurf.f:335:11:
335 | if((f1-f2).gt.acc) go to 345
| ^
Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fourco.f
gfortran:f77: scipy/interpolate/fitpack/percur.f
gfortran:f77: scipy/interpolate/fitpack/fpsphe.f
scipy/interpolate/fitpack/fpsphe.f:165:72:
165 | do 100 j=1,npp
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 100 at (1)
scipy/interpolate/fitpack/fpsphe.f:216:72:
216 | do 160 j=1,iband
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 160 at (1)
scipy/interpolate/fitpack/fpsphe.f:357:72:
357 | do 380 j=1,iband
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 380 at (1)
scipy/interpolate/fitpack/fpsphe.f:532:72:
532 | do 600 j=1,iband
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 600 at (1)
scipy/interpolate/fitpack/fpsphe.f:555:72:
555 | do 720 j=1,nt6
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 720 at (1)
scipy/interpolate/fitpack/fpsphe.f:603:72:
603 | do 810 j=1,npp
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 810 at (1)
scipy/interpolate/fitpack/fpsphe.f:512:0:
512 | do 585 i=1,ncof
|
Warning: 'ncof' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpsphe.f:519:9:
519 | if(ntt.le.4) iband4 = ncof
| ^
Warning: 'ntt' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpsphe.f:746:0:
746 | 925 ier = lwest
|
Warning: 'lwest' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpsphe.f:578:0:
578 | i2 = min0(iband1,ncof-irot)
|
Warning: 'iband1' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpsphe.f:510:0:
510 | f3 = fpms
|
Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fpsphe.f:730:11:
730 | if((f1-f2).gt.acc) go to 905
| ^
Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fpcyt2.f
gfortran:f77: scipy/interpolate/fitpack/fpsysy.f
gfortran:f77: scipy/interpolate/fitpack/fpdeno.f
gfortran:f77: scipy/interpolate/fitpack/parsur.f
gfortran:f77: scipy/interpolate/fitpack/fpcoco.f
gfortran:f77: scipy/interpolate/fitpack/fppara.f
scipy/interpolate/fitpack/fppara.f:121:72:
121 | do 80 j=1,k1
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 80 at (1)
scipy/interpolate/fitpack/fppara.f:299:72:
299 | do 260 j=1,k1
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 260 at (1)
scipy/interpolate/fitpack/fppara.f:202:35:
202 | if(fpold-fp.gt.acc) npl1 = rn*fpms/(fpold-fp)
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fppara.f:203:0:
203 | nplus = min0(nplus*2,max0(npl1,nplus/2,1))
|
Warning: 'nplus' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppara.f:242:13:
242 | if(n.eq.nmax) go to 10
| ^
Warning: 'nmax' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppara.f:12:56:
12 | real*8 acc,con1,con4,con9,cos,fac,fpart,fpms,fpold,fp0,f1,f2,f3,
| ^
Warning: 'fpold' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppara.f:279:0:
279 | f3 = fpms
|
Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppara.f:12:60:
12 | real*8 acc,con1,con4,con9,cos,fac,fpart,fpms,fpold,fp0,f1,f2,f3,
| ^
Warning: 'fp0' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppara.f:378:11:
378 | if((f1-f2).gt.acc) go to 345
| ^
Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fpopsp.f
gfortran:f77: scipy/interpolate/fitpack/bispev.f
gfortran:f77: scipy/interpolate/fitpack/fpgivs.f
gfortran:f77: scipy/interpolate/fitpack/fporde.f
gfortran:f77: scipy/interpolate/fitpack/fpgrdi.f
scipy/interpolate/fitpack/fpgrdi.f:219:72:
219 | do 240 j=1,5
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 240 at (1)
scipy/interpolate/fitpack/fpgrdi.f:319:72:
319 | do 440 j=1,4
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 440 at (1)
scipy/interpolate/fitpack/fpgrdi.f:16:45:
16 | real*8 arg,co,dz1,dz2,dz3,fac,fac0,pinv,piv,si,term,one,three,half
| ^
Warning: 'pinv' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/fpgrpa.f
scipy/interpolate/fitpack/fpgrpa.f:158:72:
158 | do 220 i=1,nuu
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 220 at (1)
scipy/interpolate/fitpack/fpgrpa.f:164:72:
164 | do 260 i=1,nuu
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 260 at (1)
scipy/interpolate/fitpack/fpgrpa.f:172:72:
172 | do 360 j=1,nvv
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 360 at (1)
scipy/interpolate/fitpack/fpgrpa.f:189:72:
189 | do 460 j=1,nvv
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 460 at (1)
scipy/interpolate/fitpack/fpgrpa.f:209:72:
209 | do 560 l=1,nuu
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 560 at (1)
gfortran:f77: scipy/interpolate/fitpack/cocosp.f
gfortran:f77: scipy/interpolate/fitpack/fpched.f
gfortran:f77: scipy/interpolate/fitpack/polar.f
gfortran:f77: scipy/interpolate/fitpack/parcur.f
gfortran:f77: scipy/interpolate/fitpack/fpader.f
scipy/interpolate/fitpack/fpader.f:45:72:
45 | do 500 j2=jj,k1
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 500 at (1)
gfortran:f77: scipy/interpolate/fitpack/fprppo.f
scipy/interpolate/fitpack/fprppo.f:12:25:
12 | integer i,iopt,ii,j,k,l,nu4,nvv
| ^
Warning: 'j' may be used uninitialized in this function [-Wmaybe-uninitialized]
gfortran:f77: scipy/interpolate/fitpack/splev.f
gfortran:f77: scipy/interpolate/fitpack/regrid.f
gfortran:f77: scipy/interpolate/fitpack/fppola.f
scipy/interpolate/fitpack/fppola.f:68:72:
68 | do 20 j=1,4
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 20 at (1)
scipy/interpolate/fitpack/fppola.f:198:72:
198 | do 140 j=1,nvv
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 140 at (1)
scipy/interpolate/fitpack/fppola.f:263:72:
263 | do 200 j=1,iband
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 200 at (1)
scipy/interpolate/fitpack/fppola.f:319:72:
319 | do 270 i=1,nvv
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 270 at (1)
scipy/interpolate/fitpack/fppola.f:407:72:
407 | do 420 j=1,iband
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 420 at (1)
scipy/interpolate/fitpack/fppola.f:588:72:
588 | do 630 j=1,iband
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 630 at (1)
scipy/interpolate/fitpack/fppola.f:604:72:
604 | do 720 j=1,nuu
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 720 at (1)
scipy/interpolate/fitpack/fppola.f:615:72:
615 | do 650 l=1,nvv
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 650 at (1)
scipy/interpolate/fitpack/fppola.f:624:72:
624 | do 660 l=1,nvv
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 660 at (1)
scipy/interpolate/fitpack/fppola.f:670:72:
670 | do 810 j=1,nvv
| 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 810 at (1)
scipy/interpolate/fitpack/fppola.f:567:0:
567 | do 590 i=1,ncof
|
Warning: 'ncof' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppola.f:680:33:
680 | if(il.eq.nu4 .and. iopt3.ne.0) go to 760
| ^
Warning: 'nu4' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppola.f:821:0:
821 | 925 ier = lwest
|
Warning: 'lwest' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppola.f:645:0:
645 | i2 = min0(iband1,ncof-irot)
|
Warning: 'iband1' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppola.f:565:0:
565 | f3 = fpms
|
Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]
scipy/interpolate/fitpack/fppola.f:805:11:
805 | if((f1-f2).gt.acc) go to 905
| ^
Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]
ar: adding 50 object files to build/temp.macosx-10.7-x86_64-3.6/libfitpack.a
ar: adding 35 object files to build/temp.macosx-10.7-x86_64-3.6/libfitpack.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libfitpack.a
building 'fwrappers' library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
creating build/temp.macosx-10.7-x86_64-3.6/scipy/linalg
creating build/temp.macosx-10.7-x86_64-3.6/private
creating build/temp.macosx-10.7-x86_64-3.6/private/var
creating build/temp.macosx-10.7-x86_64-3.6/private/var/folders
creating build/temp.macosx-10.7-x86_64-3.6/private/var/folders/4m
creating build/temp.macosx-10.7-x86_64-3.6/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn
creating build/temp.macosx-10.7-x86_64-3.6/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T
creating build/temp.macosx-10.7-x86_64-3.6/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-install-kld1p4qg
creating build/temp.macosx-10.7-x86_64-3.6/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-install-kld1p4qg/scipy
creating build/temp.macosx-10.7-x86_64-3.6/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-install-kld1p4qg/scipy/scipy
creating build/temp.macosx-10.7-x86_64-3.6/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-install-kld1p4qg/scipy/scipy/_build_utils
creating build/temp.macosx-10.7-x86_64-3.6/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-install-kld1p4qg/scipy/scipy/_build_utils/src
compile options: '-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -I/usr/local/Cellar/pypy3/7.3.1_1/libexec/include -I/usr/local/Cellar/pypy3/7.3.1_1/libexec/include/include -I/usr/local/Cellar/pypy3/7.3.1_1/libexec/include -I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'
gfortran:f77: scipy/linalg/_blas_subroutine_wrappers.f
gfortran:f77: scipy/linalg/_lapack_subroutine_wrappers.f
gfortran:f77: /private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-install-kld1p4qg/scipy/scipy/_build_utils/src/wrap_dummy_g77_abi.f
ar: adding 3 object files to build/temp.macosx-10.7-x86_64-3.6/libfwrappers.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libfwrappers.a
building 'odrpack' library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
creating build/temp.macosx-10.7-x86_64-3.6/scipy/odr
creating build/temp.macosx-10.7-x86_64-3.6/scipy/odr/odrpack
compile options: '-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'
gfortran:f77: scipy/odr/odrpack/d_odr.f
scipy/odr/odrpack/d_odr.f:1014:13:
1014 | NETA = MAX(TWO,P5-LOG10(ETA))
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/odr/odrpack/d_odr.f:2955:13:
2955 | NTOL = MAX(ONE,P5-LOG10(TOL))
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/odr/odrpack/d_odr.f:6032:16:
6032 | J = WORK(WRK3+I) - 1
| 1
Warning: Possible change of value in conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
gfortran:f77: scipy/odr/odrpack/d_mprec.f
gfortran:f77: scipy/odr/odrpack/dlunoc.f
gfortran:f77: scipy/odr/odrpack/d_lpk.f
ar: adding 4 object files to build/temp.macosx-10.7-x86_64-3.6/libodrpack.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libodrpack.a
building 'minpack' library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
creating build/temp.macosx-10.7-x86_64-3.6/scipy/optimize
creating build/temp.macosx-10.7-x86_64-3.6/scipy/optimize/minpack
compile options: '-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'
gfortran:f77: scipy/optimize/minpack/rwupdt.f
gfortran:f77: scipy/optimize/minpack/qform.f
gfortran:f77: scipy/optimize/minpack/chkder.f
gfortran:f77: scipy/optimize/minpack/dogleg.f
gfortran:f77: scipy/optimize/minpack/hybrj1.f
gfortran:f77: scipy/optimize/minpack/fdjac1.f
gfortran:f77: scipy/optimize/minpack/r1updt.f
gfortran:f77: scipy/optimize/minpack/enorm.f
gfortran:f77: scipy/optimize/minpack/lmstr.f
gfortran:f77: scipy/optimize/minpack/hybrd1.f
gfortran:f77: scipy/optimize/minpack/qrsolv.f
gfortran:f77: scipy/optimize/minpack/fdjac2.f
gfortran:f77: scipy/optimize/minpack/lmstr1.f
gfortran:f77: scipy/optimize/minpack/lmder1.f
gfortran:f77: scipy/optimize/minpack/qrfac.f
gfortran:f77: scipy/optimize/minpack/lmder.f
gfortran:f77: scipy/optimize/minpack/lmpar.f
gfortran:f77: scipy/optimize/minpack/lmdif.f
gfortran:f77: scipy/optimize/minpack/r1mpyq.f
gfortran:f77: scipy/optimize/minpack/dpmpar.f
gfortran:f77: scipy/optimize/minpack/hybrd.f
gfortran:f77: scipy/optimize/minpack/lmdif1.f
gfortran:f77: scipy/optimize/minpack/hybrj.f
ar: adding 23 object files to build/temp.macosx-10.7-x86_64-3.6/libminpack.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libminpack.a
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/var
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/var/folders
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/var/folders/4m
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4
compile options: '-c'
extra options: '-std=c++14'
gcc: /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/main.c
error: invalid argument '-std=c++14' not allowed with 'C'
error: invalid argument '-std=c++14' not allowed with 'C'
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/var
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/var/folders
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/var/folders/4m
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed
compile options: '-c'
extra options: '-std=c++11'
gcc: /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/main.c
error: invalid argument '-std=c++11' not allowed with 'C'
error: invalid argument '-std=c++11' not allowed with 'C'
Could not detect c++ standard flag
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/var
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/var/folders
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/var/folders/4m
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8
compile options: '-c'
extra options: '-mmacosx-version-min=10.9'
gcc: /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/main.c
building 'rectangular_lsap' library
compiling C++ sources
C compiler: g++ -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating build/temp.macosx-10.7-x86_64-3.6/scipy/optimize/rectangular_lsap
compile options: '-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'
extra options: '-mmacosx-version-min=10.9'
g++: scipy/optimize/rectangular_lsap/rectangular_lsap.cpp
ar: adding 1 object files to build/temp.macosx-10.7-x86_64-3.6/librectangular_lsap.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/librectangular_lsap.a
building 'rootfind' library
compiling C sources
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating build/temp.macosx-10.7-x86_64-3.6/scipy/optimize/Zeros
compile options: '-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'
gcc: scipy/optimize/Zeros/bisect.c
gcc: scipy/optimize/Zeros/brenth.c
gcc: scipy/optimize/Zeros/brentq.c
gcc: scipy/optimize/Zeros/ridder.c
ar: adding 4 object files to build/temp.macosx-10.7-x86_64-3.6/librootfind.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/librootfind.a
building 'superlu_src' library
compiling C sources
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating build/temp.macosx-10.7-x86_64-3.6/scipy/sparse
creating build/temp.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
creating build/temp.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve
creating build/temp.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve/SuperLU
creating build/temp.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve/SuperLU/SRC
compile options: '-DUSE_VENDOR_BLAS=1 -Iscipy/sparse/linalg/dsolve/SuperLU/SRC -I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_bmod.c
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_bmod.c:296:16: warning: using the result of an assignment as a condition without parentheses [-Wparentheses]
if (mem_error = cLUMemXpand(jcol, nextlu, LUSUP, &nzlumax, Glu))
~~~~~~~~~~^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_bmod.c:296:16: note: place parentheses around the assignment to silence this warning
if (mem_error = cLUMemXpand(jcol, nextlu, LUSUP, &nzlumax, Glu))
^
( )
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_bmod.c:296:16: note: use '==' to turn this assignment into an equality comparison
if (mem_error = cLUMemXpand(jcol, nextlu, LUSUP, &nzlumax, Glu))
^
==
1 warning generated.
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c:139:18: warning: using the result of an assignment as a condition without parentheses [-Wparentheses]
if ( mem_error = cLUMemXpand(jcol, nextl, LSUB, &nzlmax, Glu) )
~~~~~~~~~~^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c:139:18: note: place parentheses around the assignment to silence this warning
if ( mem_error = cLUMemXpand(jcol, nextl, LSUB, &nzlmax, Glu) )
^
( )
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c:139:18: note: use '==' to turn this assignment into an equality comparison
if ( mem_error = cLUMemXpand(jcol, nextl, LSUB, &nzlmax, Glu) )
^
==
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c:181:24: warning: using the result of an assignment as a condition without parentheses [-Wparentheses]
if ( mem_error =
~~~~~~~~~~^
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c:181:24: note: place parentheses around the assignment to silence this warning
if ( mem_error =
^
(
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c:181:24: note: use '==' to turn this assignment into an equality comparison
if ( mem_error =
^
==
2 warnings generated.
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c:87:21: warning: using the result of an assignment as a condition without parentheses [-Wparentheses]
if (mem_error = cLUMemXpand(jcol, nextu, UCOL, &nzumax, Glu))
~~~~~~~~~~^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c:87:21: note: place parentheses around the assignment to silence this warning
if (mem_error = cLUMemXpand(jcol, nextu, UCOL, &nzumax, Glu))
^
( )
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c:87:21: note: use '==' to turn this assignment into an equality comparison
if (mem_error = cLUMemXpand(jcol, nextu, UCOL, &nzumax, Glu))
^
==
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c:90:21: warning: using the result of an assignment as a condition without parentheses [-Wparentheses]
if (mem_error = cLUMemXpand(jcol, nextu, USUB, &nzumax, Glu))
~~~~~~~~~~^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c:90:21: note: place parentheses around the assignment to silence this warning
if (mem_error = cLUMemXpand(jcol, nextu, USUB, &nzumax, Glu))
^
( )
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c:90:21: note: use '==' to turn this assignment into an equality comparison
if (mem_error = cLUMemXpand(jcol, nextu, USUB, &nzumax, Glu))
^
==
2 warnings generated.
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cdiagonal.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgscon.c
scipy/sparse/linalg/dsolve/SuperLU/SRC/cgscon.c:102:21: warning: logical not is only applied to the left hand side of this comparison [-Wlogical-not-parentheses]
if (! onenrm && ! strncmp(norm, "I", 1)==0) *info = -1;
^ ~~
scipy/sparse/linalg/dsolve/SuperLU/SRC/cgscon.c:102:21: note: add parentheses after the '!' to evaluate the comparison first
if (! onenrm && ! strncmp(norm, "I", 1)==0) *info = -1;
^
( )
scipy/sparse/linalg/dsolve/SuperLU/SRC/cgscon.c:102:21: note: add parentheses around left hand side expression to silence this warning
if (! onenrm && ! strncmp(norm, "I", 1)==0) *info = -1;
^
( )
1 warning generated.
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsequ.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsisx.c
scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsisx.c:588:7: warning: logical not is only applied to the left hand side of this bitwise operator [-Wlogical-not-parentheses]
if ( !mc64 & equil ) { /* Only perform equilibration, no row perm */
^ ~
scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsisx.c:588:7: note: add parentheses after the '!' to evaluate the bitwise operator first
if ( !mc64 & equil ) { /* Only perform equilibration, no row perm */
^
( )
scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsisx.c:588:7: note: add parentheses around left hand side expression to silence this warning
if ( !mc64 & equil ) { /* Only perform equilibration, no row perm */
^
( )
1 warning generated.
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsitrf.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsrfs.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgssv.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgssvx.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgstrf.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgstrs.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/clacon2.c
Running from SciPy source directory.
/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/distutils/system_info.py:624: UserWarning:
Atlas (http://math-atlas.sourceforge.net/) libraries not found.
Directories to search for the libraries can be specified in the
numpy/distutils/site.cfg file (section [atlas]) or by setting
the ATLAS environment variable.
self.calc_info()
/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/distutils/system_info.py:716: UserWarning: Specified path /private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/__init__.py/include is invalid.
return self.get_paths(self.section, key)
/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/distutils/system_info.py:716: UserWarning: Specified path /usr/local/include/include is invalid.
return self.get_paths(self.section, key)
/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/distutils/fcompiler/gnu.py:332: UserWarning: Env. variable MACOSX_DEPLOYMENT_TARGET set to 10.3
flags = GnuFCompiler.get_flags_linker_so(self)
error: Command "gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC -DUSE_VENDOR_BLAS=1 -Iscipy/sparse/linalg/dsolve/SuperLU/SRC -I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c scipy/sparse/linalg/dsolve/SuperLU/SRC/clacon2.c -o build/temp.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve/SuperLU/SRC/clacon2.o -MMD -MF build/temp.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve/SuperLU/SRC/clacon2.o.d" failed with exit status 1
scipy/sparse/linalg/dsolve/SuperLU/SRC/clacon2.c:175:5: error: implicit declaration of function 'ccopy_' is invalid in C99 [-Werror,-Wimplicit-function-declaration]
ccopy_(n, x, &c__1, v, &c__1);
^
1 error generated.
scipy/sparse/linalg/dsolve/SuperLU/SRC/clacon2.c:175:5: error: implicit declaration of function 'ccopy_' is invalid in C99 [-Werror,-Wimplicit-function-declaration]
ccopy_(n, x, &c__1, v, &c__1);
^
1 error generated.
----------------------------------------
ERROR: Failed building wheel for scipy
Failed to build scipy
ERROR: Could not build wheels for scipy which use PEP 517 and cannot be installed directly"><pre class="notranslate">$ pip_pypy3 install scipy
Collecting scipy
Using cached scipy-1.5.2.tar.gz (25.4 MB)
Installing build dependencies ... <span class="pl-k">done</span>
Getting requirements to build wheel ... <span class="pl-k">done</span>
Preparing wheel metadata ... <span class="pl-k">done</span>
Building wheels <span class="pl-k">for</span> collected packages: scipy
Building wheel <span class="pl-k">for</span> scipy (PEP 517) ... error
ERROR: Command errored out with <span class="pl-c1">exit</span> status 1:
command: /usr/local/Cellar/pypy3/7.3.1_1/bin/pypy3 /usr/local/Cellar/pypy3/7.3.1_1/libexec/site-packages/pip/_vendor/pep517/_in_process.py build_wheel /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpb4p3dbn0
cwd: /private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-install-kld1p4qg/scipy
Complete output (3519 lines):
lapack_opt_info:
lapack_mkl_info:
customize UnixCCompiler
libraries mkl_rt not found <span class="pl-k">in</span> [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
NOT AVAILABLE
openblas_lapack_info:
customize UnixCCompiler
customize UnixCCompiler
libraries openblas not found <span class="pl-k">in</span> [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
NOT AVAILABLE
openblas_clapack_info:
customize UnixCCompiler
customize UnixCCompiler
libraries openblas,lapack not found <span class="pl-k">in</span> [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
NOT AVAILABLE
atlas_3_10_threads_info:
Setting PTATLAS=ATLAS
customize UnixCCompiler
libraries tatlas,tatlas not found <span class="pl-k">in</span> /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries lapack_atlas not found <span class="pl-k">in</span> /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries tatlas,tatlas not found <span class="pl-k">in</span> /usr/local/lib
customize UnixCCompiler
libraries lapack_atlas not found <span class="pl-k">in</span> /usr/local/lib
customize UnixCCompiler
libraries tatlas,tatlas not found <span class="pl-k">in</span> /usr/lib
customize UnixCCompiler
libraries lapack_atlas not found <span class="pl-k">in</span> /usr/lib
<span class="pl-k"><</span>class <span class="pl-s"><span class="pl-pds">'</span>numpy.distutils.system_info.atlas_3_10_threads_info<span class="pl-pds">'</span></span><span class="pl-k">></span>
NOT AVAILABLE
atlas_3_10_info:
customize UnixCCompiler
libraries satlas,satlas not found <span class="pl-k">in</span> /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries lapack_atlas not found <span class="pl-k">in</span> /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries satlas,satlas not found <span class="pl-k">in</span> /usr/local/lib
customize UnixCCompiler
libraries lapack_atlas not found <span class="pl-k">in</span> /usr/local/lib
customize UnixCCompiler
libraries satlas,satlas not found <span class="pl-k">in</span> /usr/lib
customize UnixCCompiler
libraries lapack_atlas not found <span class="pl-k">in</span> /usr/lib
<span class="pl-k"><</span>class <span class="pl-s"><span class="pl-pds">'</span>numpy.distutils.system_info.atlas_3_10_info<span class="pl-pds">'</span></span><span class="pl-k">></span>
NOT AVAILABLE
atlas_threads_info:
Setting PTATLAS=ATLAS
customize UnixCCompiler
libraries ptf77blas,ptcblas,atlas not found <span class="pl-k">in</span> /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries lapack_atlas not found <span class="pl-k">in</span> /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries ptf77blas,ptcblas,atlas not found <span class="pl-k">in</span> /usr/local/lib
customize UnixCCompiler
libraries lapack_atlas not found <span class="pl-k">in</span> /usr/local/lib
customize UnixCCompiler
libraries ptf77blas,ptcblas,atlas not found <span class="pl-k">in</span> /usr/lib
customize UnixCCompiler
libraries lapack_atlas not found <span class="pl-k">in</span> /usr/lib
<span class="pl-k"><</span>class <span class="pl-s"><span class="pl-pds">'</span>numpy.distutils.system_info.atlas_threads_info<span class="pl-pds">'</span></span><span class="pl-k">></span>
NOT AVAILABLE
atlas_info:
customize UnixCCompiler
libraries f77blas,cblas,atlas not found <span class="pl-k">in</span> /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries lapack_atlas not found <span class="pl-k">in</span> /usr/local/Cellar/pypy3/7.3.1_1/libexec/lib
customize UnixCCompiler
libraries f77blas,cblas,atlas not found <span class="pl-k">in</span> /usr/local/lib
customize UnixCCompiler
libraries lapack_atlas not found <span class="pl-k">in</span> /usr/local/lib
customize UnixCCompiler
libraries f77blas,cblas,atlas not found <span class="pl-k">in</span> /usr/lib
customize UnixCCompiler
libraries lapack_atlas not found <span class="pl-k">in</span> /usr/lib
<span class="pl-k"><</span>class <span class="pl-s"><span class="pl-pds">'</span>numpy.distutils.system_info.atlas_info<span class="pl-pds">'</span></span><span class="pl-k">></span>
NOT AVAILABLE
lapack_info:
customize UnixCCompiler
customize UnixCCompiler
FOUND:
libraries = [<span class="pl-s"><span class="pl-pds">'</span>lapack<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>lapack<span class="pl-pds">'</span></span>]
library_dirs = [<span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
language = f77
blas_info:
customize UnixCCompiler
customize UnixCCompiler
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/var
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/var/folders
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/var/folders/4m
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc
compile options: <span class="pl-s"><span class="pl-pds">'</span>-I/usr/local/include -I/usr/local/Cellar/pypy3/7.3.1_1/libexec/include -c<span class="pl-pds">'</span></span>
gcc: /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/source.c
/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/source.c:1:10: fatal error: <span class="pl-s"><span class="pl-pds">'</span>cblas.h<span class="pl-pds">'</span></span> file not found
<span class="pl-c"><span class="pl-c">#</span>include <cblas.h></span>
^~~~~~~~~
1 error generated.
/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpfj5faqtc/source.c:1:10: fatal error: <span class="pl-s"><span class="pl-pds">'</span>cblas.h<span class="pl-pds">'</span></span> file not found
<span class="pl-c"><span class="pl-c">#</span>include <cblas.h></span>
^~~~~~~~~
1 error generated.
customize UnixCCompiler
FOUND:
libraries = [<span class="pl-s"><span class="pl-pds">'</span>blas<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>blas<span class="pl-pds">'</span></span>]
library_dirs = [<span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
include_dirs = [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/include<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/include<span class="pl-pds">'</span></span>]
FOUND:
define_macros = [(<span class="pl-s"><span class="pl-pds">'</span>NO_ATLAS_INFO<span class="pl-pds">'</span></span>, 1)]
libraries = [<span class="pl-s"><span class="pl-pds">'</span>lapack<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>lapack<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>blas<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>blas<span class="pl-pds">'</span></span>]
library_dirs = [<span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
language = f77
include_dirs = [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/include<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/include<span class="pl-pds">'</span></span>]
blas_opt_info:
blas_mkl_info:
customize UnixCCompiler
libraries mkl_rt not found <span class="pl-k">in</span> [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
NOT AVAILABLE
blis_info:
customize UnixCCompiler
libraries blis not found <span class="pl-k">in</span> [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
NOT AVAILABLE
openblas_info:
customize UnixCCompiler
customize UnixCCompiler
libraries openblas not found <span class="pl-k">in</span> [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
NOT AVAILABLE
atlas_3_10_blas_threads_info:
Setting PTATLAS=ATLAS
customize UnixCCompiler
libraries tatlas not found <span class="pl-k">in</span> [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
NOT AVAILABLE
atlas_3_10_blas_info:
customize UnixCCompiler
libraries satlas not found <span class="pl-k">in</span> [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
NOT AVAILABLE
atlas_blas_threads_info:
Setting PTATLAS=ATLAS
customize UnixCCompiler
libraries ptf77blas,ptcblas,atlas not found <span class="pl-k">in</span> [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
NOT AVAILABLE
atlas_blas_info:
customize UnixCCompiler
libraries f77blas,cblas,atlas not found <span class="pl-k">in</span> [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/lib<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
NOT AVAILABLE
FOUND:
define_macros = [(<span class="pl-s"><span class="pl-pds">'</span>NO_ATLAS_INFO<span class="pl-pds">'</span></span>, 1)]
libraries = [<span class="pl-s"><span class="pl-pds">'</span>blas<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>blas<span class="pl-pds">'</span></span>]
library_dirs = [<span class="pl-s"><span class="pl-pds">'</span>/usr/lib<span class="pl-pds">'</span></span>]
include_dirs = [<span class="pl-s"><span class="pl-pds">'</span>/usr/local/include<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>/usr/local/Cellar/pypy3/7.3.1_1/libexec/include<span class="pl-pds">'</span></span>]
[makenpz] scipy/special/tests/data/boost.npz not rebuilt
[makenpz] scipy/special/tests/data/gsl.npz not rebuilt
[makenpz] scipy/special/tests/data/local.npz not rebuilt
non-existing path <span class="pl-k">in</span> <span class="pl-s"><span class="pl-pds">'</span>scipy/signal/windows<span class="pl-pds">'</span></span>: <span class="pl-s"><span class="pl-pds">'</span>tests<span class="pl-pds">'</span></span>
running bdist_wheel
running build
running config_cc
unifing config_cc, config, build_clib, build_ext, build commands --compiler options
running config_fc
unifing config_fc, config, build_clib, build_ext, build commands --fcompiler options
running build_src
build_src
building py_modules sources
building library <span class="pl-s"><span class="pl-pds">"</span>mach<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>quadpack<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>lsoda<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>vode<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>dop<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>fitpack<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>fwrappers<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>odrpack<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>minpack<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>rectangular_lsap<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>rootfind<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>superlu_src<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>arpack_scipy<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>sc_cephes<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>sc_mach<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>sc_amos<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>sc_cdf<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>sc_specfun<span class="pl-pds">"</span></span> sources
building library <span class="pl-s"><span class="pl-pds">"</span>statlib<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.cluster._vq<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.cluster._hierarchy<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.cluster._optimal_leaf_ordering<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.fft._pocketfft.pypocketfft<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.fftpack.convolve<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.integrate._quadpack<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.integrate._odepack<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.integrate.vode<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate<span class="pl-pds">'</span></span> to include_dirs.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/scipy/integrate/vode-f2pywrappers.f<span class="pl-pds">'</span></span> to sources.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.integrate.lsoda<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate<span class="pl-pds">'</span></span> to include_dirs.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/scipy/integrate/lsoda-f2pywrappers.f<span class="pl-pds">'</span></span> to sources.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.integrate._dop<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate<span class="pl-pds">'</span></span> to include_dirs.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/scipy/integrate/_dop-f2pywrappers.f<span class="pl-pds">'</span></span> to sources.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.integrate._test_multivariate<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.integrate._test_odeint_banded<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/integrate<span class="pl-pds">'</span></span> to include_dirs.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/scipy/integrate/_test_odeint_banded-f2pywrappers.f<span class="pl-pds">'</span></span> to sources.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.interpolate.interpnd<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.interpolate._ppoly<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.interpolate._bspl<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.interpolate._fitpack<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.interpolate.dfitpack<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/interpolate/src/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/interpolate/src<span class="pl-pds">'</span></span> to include_dirs.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/scipy/interpolate/src/dfitpack-f2pywrappers.f<span class="pl-pds">'</span></span> to sources.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.io._test_fortran<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/io/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/io<span class="pl-pds">'</span></span> to include_dirs.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.io.matlab.streams<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.io.matlab.mio_utils<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.io.matlab.mio5_utils<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.linalg._fblas<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg<span class="pl-pds">'</span></span> to include_dirs.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg/_fblas-f2pywrappers.f<span class="pl-pds">'</span></span> to sources.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.linalg._flapack<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg<span class="pl-pds">'</span></span> to include_dirs.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg/_flapack-f2pywrappers.f<span class="pl-pds">'</span></span> to sources.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.linalg._flinalg<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg<span class="pl-pds">'</span></span> to include_dirs.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.linalg._interpolative<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/linalg<span class="pl-pds">'</span></span> to include_dirs.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.linalg._solve_toeplitz<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.linalg.cython_blas<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.linalg.cython_lapack<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.linalg._decomp_update<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.odr.__odrpack<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize._minpack<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize._lsap_module<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize._zeros<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize._lbfgsb<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/lbfgsb_src/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/lbfgsb_src<span class="pl-pds">'</span></span> to include_dirs.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/scipy/optimize/lbfgsb_src/_lbfgsb-f2pywrappers.f<span class="pl-pds">'</span></span> to sources.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize.moduleTNC<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize._cobyla<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/cobyla/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/cobyla<span class="pl-pds">'</span></span> to include_dirs.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize.minpack2<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/minpack2/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/minpack2<span class="pl-pds">'</span></span> to include_dirs.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize._slsqp<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/slsqp/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/slsqp<span class="pl-pds">'</span></span> to include_dirs.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize.__nnls<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/__nnls/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/optimize/__nnls<span class="pl-pds">'</span></span> to include_dirs.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize._group_columns<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize._bglu_dense<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize._lsq.givens_elimination<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize._trlib._trlib<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.optimize.cython_optimize._zeros<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.signal.sigtools<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.signal._spectral<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.signal._max_len_seq_inner<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.signal._peak_finding_utils<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.signal._sosfilt<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.signal._upfirdn_apply<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.signal.spline<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.sparse.linalg.isolve._iterative<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve/iterative/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve/iterative<span class="pl-pds">'</span></span> to include_dirs.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.sparse.linalg.dsolve._superlu<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.sparse.linalg.eigen.arpack._arpack<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack<span class="pl-pds">'</span></span> to include_dirs.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack/_arpack-f2pywrappers.f<span class="pl-pds">'</span></span> to sources.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.sparse.csgraph._shortest_path<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.sparse.csgraph._traversal<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.sparse.csgraph._min_spanning_tree<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.sparse.csgraph._matching<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.sparse.csgraph._flow<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.sparse.csgraph._reordering<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.sparse.csgraph._tools<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.sparse._csparsetools<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.sparse._sparsetools<span class="pl-pds">"</span></span> sources
[generate_sparsetools] <span class="pl-s"><span class="pl-pds">'</span>scipy/sparse/sparsetools/bsr_impl.h<span class="pl-pds">'</span></span> already up-to-date
[generate_sparsetools] <span class="pl-s"><span class="pl-pds">'</span>scipy/sparse/sparsetools/csr_impl.h<span class="pl-pds">'</span></span> already up-to-date
[generate_sparsetools] <span class="pl-s"><span class="pl-pds">'</span>scipy/sparse/sparsetools/csc_impl.h<span class="pl-pds">'</span></span> already up-to-date
[generate_sparsetools] <span class="pl-s"><span class="pl-pds">'</span>scipy/sparse/sparsetools/other_impl.h<span class="pl-pds">'</span></span> already up-to-date
[generate_sparsetools] <span class="pl-s"><span class="pl-pds">'</span>scipy/sparse/sparsetools/sparsetools_impl.h<span class="pl-pds">'</span></span> already up-to-date
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.spatial.qhull<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.spatial.ckdtree<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.spatial._distance_wrap<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.spatial._voronoi<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.spatial._hausdorff<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.special.specfun<span class="pl-pds">"</span></span> sources
f2py options: [<span class="pl-s"><span class="pl-pds">'</span>--no-wrap-functions<span class="pl-pds">'</span></span>]
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/special/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/special<span class="pl-pds">'</span></span> to include_dirs.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.special._ufuncs<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.special._ufuncs_cxx<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.special._ellip_harm_2<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.special.cython_special<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.special._comb<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.special._test_round<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.stats.statlib<span class="pl-pds">"</span></span> sources
f2py options: [<span class="pl-s"><span class="pl-pds">'</span>--no-wrap-functions<span class="pl-pds">'</span></span>]
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/stats/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/stats<span class="pl-pds">'</span></span> to include_dirs.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.stats._stats<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.stats.mvn<span class="pl-pds">"</span></span> sources
f2py options: []
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/stats/fortranobject.c<span class="pl-pds">'</span></span> to sources.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/build/src.macosx-10.7-x86_64-3.6/scipy/stats<span class="pl-pds">'</span></span> to include_dirs.
adding <span class="pl-s"><span class="pl-pds">'</span>build/src.macosx-10.7-x86_64-3.6/scipy/stats/mvn-f2pywrappers.f<span class="pl-pds">'</span></span> to sources.
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.ndimage._nd_image<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.ndimage._ni_label<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.ndimage._ctest<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.ndimage._ctest_oldapi<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy.ndimage._cytest<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy._lib._ccallback_c<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy._lib._test_ccallback<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy._lib._fpumode<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy._lib.messagestream<span class="pl-pds">"</span></span> sources
get_default_fcompiler: matching types: <span class="pl-s"><span class="pl-pds">'</span>[<span class="pl-pds">'</span></span>gnu95<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>nag<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>absoft<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>ibm<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>intel<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>gnu<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>g95<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>pg<span class="pl-s"><span class="pl-pds">'</span>]<span class="pl-pds">'</span></span>
customize Gnu95FCompiler
Found executable /usr/local/bin/gfortran
customize Gnu95FCompiler
customize Gnu95FCompiler using config
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
compile options: <span class="pl-s"><span class="pl-pds">'</span>-I/usr/local/Cellar/pypy3/7.3.1_1/libexec/include -c<span class="pl-pds">'</span></span>
gcc: _configtest.c
gcc -pthread -arch x86_64 _configtest.o -o _configtest
ld: warning: object file (/Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX.sdk/usr/lib/crt1.o) was built <span class="pl-k">for</span> newer macOS version (10.4) than being linked (10.3)
success<span class="pl-k">!</span>
removing: _configtest.c _configtest.o _configtest
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy._lib._test_deprecation_call<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy._lib._test_deprecation_def<span class="pl-pds">"</span></span> sources
building extension <span class="pl-s"><span class="pl-pds">"</span>scipy._lib._uarray._uarray<span class="pl-pds">"</span></span> sources
building data_files sources
build_src: building npy-pkg config files
running build_py
creating build/lib.macosx-10.7-x86_64-3.6
creating build/lib.macosx-10.7-x86_64-3.6/scipy
copying scipy/conftest.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy
copying scipy/version.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy
copying scipy/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy
copying scipy/_distributor_init.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy
copying scipy/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy
copying build/src.macosx-10.7-x86_64-3.6/scipy/__config__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy
creating build/lib.macosx-10.7-x86_64-3.6/scipy/cluster
copying scipy/cluster/vq.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/cluster
copying scipy/cluster/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/cluster
copying scipy/cluster/hierarchy.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/cluster
copying scipy/cluster/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/cluster
creating build/lib.macosx-10.7-x86_64-3.6/scipy/constants
copying scipy/constants/constants.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/constants
copying scipy/constants/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/constants
copying scipy/constants/codata.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/constants
copying scipy/constants/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/constants
creating build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/_backend.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/_helper.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/_debug_backends.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/_realtransforms.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
copying scipy/fft/_basic.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fft
creating build/lib.macosx-10.7-x86_64-3.6/scipy/fft/_pocketfft
copying scipy/fft/_pocketfft/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fft/_pocketfft
copying scipy/fft/_pocketfft/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fft/_pocketfft
copying scipy/fft/_pocketfft/realtransforms.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fft/_pocketfft
copying scipy/fft/_pocketfft/basic.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fft/_pocketfft
copying scipy/fft/_pocketfft/helper.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fft/_pocketfft
creating build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
copying scipy/fftpack/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
copying scipy/fftpack/pseudo_diffs.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
copying scipy/fftpack/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
copying scipy/fftpack/realtransforms.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
copying scipy/fftpack/basic.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
copying scipy/fftpack/helper.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/fftpack
creating build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/_ode.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/_quadrature.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/quadpack.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/_quad_vec.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/_bvp.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
copying scipy/integrate/odepack.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate
creating build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/bdf.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/ivp.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/dop853_coefficients.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/common.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/radau.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/lsoda.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/rk.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
copying scipy/integrate/_ivp/base.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/integrate/_ivp
creating build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/_cubic.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/polyint.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/ndgriddata.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/_bsplines.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/fitpack.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/rbf.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/interpnd_info.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/_pade.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/interpolate.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/_fitpack_impl.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
copying scipy/interpolate/fitpack2.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/interpolate
creating build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/wavfile.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/idl.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/netcdf.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/_fortran.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io
copying scipy/io/mmio.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io
creating build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/miobase.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/mio5_params.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/byteordercodes.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/mio.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/mio4.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
copying scipy/io/matlab/mio5.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/matlab
creating build/lib.macosx-10.7-x86_64-3.6/scipy/io/arff
copying scipy/io/arff/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/arff
copying scipy/io/arff/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/arff
copying scipy/io/arff/arffread.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/arff
creating build/lib.macosx-10.7-x86_64-3.6/scipy/io/harwell_boeing
copying scipy/io/harwell_boeing/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/harwell_boeing
copying scipy/io/harwell_boeing/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/harwell_boeing
copying scipy/io/harwell_boeing/_fortran_format_parser.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/harwell_boeing
copying scipy/io/harwell_boeing/hb.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/io/harwell_boeing
creating build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/decomp_qr.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_matfuncs_inv_ssq.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/misc.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_sketches.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/decomp_cholesky.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_testutils.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/decomp_lu.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/decomp_svd.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_procrustes.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_matfuncs_sqrtm.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/matfuncs.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_generate_pyx.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_solvers.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_interpolative_backend.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/flinalg.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/basic.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_decomp_polar.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/decomp.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/interpolative.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/blas.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_cython_signature_generator.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/special_matrices.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_decomp_ldl.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_decomp_cossin.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/decomp_schur.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_decomp_qz.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/_expm_frechet.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
copying scipy/linalg/lapack.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/linalg
creating build/lib.macosx-10.7-x86_64-3.6/scipy/misc
copying scipy/misc/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/misc
copying scipy/misc/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/misc
copying scipy/misc/common.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/misc
copying scipy/misc/doccer.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/misc
creating build/lib.macosx-10.7-x86_64-3.6/scipy/odr
copying scipy/odr/_add_newdocs.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/odr
copying scipy/odr/models.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/odr
copying scipy/odr/odrpack.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/odr
copying scipy/odr/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/odr
copying scipy/odr/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/odr
creating build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/tnc.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_lsap.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/optimize.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_linprog_ip.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/linesearch.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/nonlin.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_linprog_rs.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_root.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/lbfgsb.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/zeros.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_shgo.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_linprog_simplex.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/slsqp.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_trustregion_ncg.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_minimize.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/minpack.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_basinhopping.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_linprog.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_hessian_update_strategy.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/cobyla.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_tstutils.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_nnls.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_spectral.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_differentiable_functions.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_trustregion_krylov.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_trustregion.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_linprog_util.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_dual_annealing.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_root_scalar.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_trustregion_dogleg.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_trustregion_exact.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_constraints.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_differentialevolution.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_remove_redundancy.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
copying scipy/optimize/_numdiff.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize
creating build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/least_squares.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/dogbox.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/trf_linear.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/common.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/lsq_linear.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/bvls.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
copying scipy/optimize/_lsq/trf.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_lsq
creating build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trlib
copying scipy/optimize/_trlib/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trlib
copying scipy/optimize/_trlib/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trlib
creating build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/equality_constrained_sqp.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/tr_interior_point.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/qp_subproblem.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/minimize_trustregion_constr.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/projections.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/report.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
copying scipy/optimize/_trustregion_constr/canonical_constraint.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_trustregion_constr
creating build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/cython_optimize
copying scipy/optimize/cython_optimize/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/cython_optimize
creating build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_shgo_lib
copying scipy/optimize/_shgo_lib/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_shgo_lib
copying scipy/optimize/_shgo_lib/sobol_seq.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_shgo_lib
copying scipy/optimize/_shgo_lib/triangulation.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/optimize/_shgo_lib
creating build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/waveforms.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/_savitzky_golay.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/signaltools.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/bsplines.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/_arraytools.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/_max_len_seq.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/wavelets.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/lti_conversion.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/_peak_finding.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/filter_design.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/spectral.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/_upfirdn.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/ltisys.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
copying scipy/signal/fir_filter_design.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal
creating build/lib.macosx-10.7-x86_64-3.6/scipy/signal/windows
copying scipy/signal/windows/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal/windows
copying scipy/signal/windows/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal/windows
copying scipy/signal/windows/windows.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/signal/windows
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/csc.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/generate_sparsetools.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/sparsetools.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/dok.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/coo.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/compressed.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/dia.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/_index.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/spfuncs.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/lil.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/sputils.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/bsr.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/_matrix_io.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/csr.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/construct.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/extract.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/base.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
copying scipy/sparse/data.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/matfuncs.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/interface.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/_expm_multiply.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/_norm.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
copying scipy/sparse/linalg/_onenormest.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/lsqr.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/iterative.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/utils.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/_gcrotmk.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/minres.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/lsmr.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
copying scipy/sparse/linalg/isolve/lgmres.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/isolve
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve
copying scipy/sparse/linalg/dsolve/_add_newdocs.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve
copying scipy/sparse/linalg/dsolve/linsolve.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve
copying scipy/sparse/linalg/dsolve/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve
copying scipy/sparse/linalg/dsolve/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen
copying scipy/sparse/linalg/eigen/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen
copying scipy/sparse/linalg/eigen/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack
copying scipy/sparse/linalg/eigen/arpack/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack
copying scipy/sparse/linalg/eigen/arpack/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack
copying scipy/sparse/linalg/eigen/arpack/arpack.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/arpack
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/lobpcg
copying scipy/sparse/linalg/eigen/lobpcg/lobpcg.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/lobpcg
copying scipy/sparse/linalg/eigen/lobpcg/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/lobpcg
copying scipy/sparse/linalg/eigen/lobpcg/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/eigen/lobpcg
creating build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/csgraph
copying scipy/sparse/csgraph/_laplacian.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/csgraph
copying scipy/sparse/csgraph/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/csgraph
copying scipy/sparse/csgraph/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/csgraph
copying scipy/sparse/csgraph/_validation.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/sparse/csgraph
creating build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/_spherical_voronoi.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/_procrustes.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/distance.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/kdtree.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/_geometric_slerp.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
copying scipy/spatial/_plotutils.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial
creating build/lib.macosx-10.7-x86_64-3.6/scipy/spatial/transform
copying scipy/spatial/transform/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial/transform
copying scipy/spatial/transform/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial/transform
copying scipy/spatial/transform/_rotation_spline.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial/transform
copying scipy/spatial/transform/rotation.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial/transform
copying scipy/spatial/transform/_rotation_groups.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/spatial/transform
creating build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/spfun_stats.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_testutils.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/sf_error.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/add_newdocs.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_spherical_bessel.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_mptestutils.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_ellip_harm.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_generate_pyx.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_lambertw.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/basic.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/orthogonal.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_basic.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
copying scipy/special/_logsumexp.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special
creating build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/expn_asy.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/zetac.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/struve_convergence.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/loggamma.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/gammainc_asy.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/wrightomega.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/gammainc_data.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/utils.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
copying scipy/special/_precompute/lambertw.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/special/_precompute
creating build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_multivariate.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_constants.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_binned_statistic.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_distr_params.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_tukeylambda_stats.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_rvs_sampling.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_stats_mstats_common.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_ksstats.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/kde.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/mstats_extras.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_discrete_distns.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/distributions.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_hypotests.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/mstats.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_distn_infrastructure.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/stats.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_continuous_distns.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/morestats.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/mstats_basic.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/contingency.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
copying scipy/stats/_wilcoxon_data.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/stats
creating build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/_ni_support.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/interpolation.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/_ni_docstrings.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/morphology.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/fourier.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/filters.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
copying scipy/ndimage/measurements.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/ndimage
creating build/lib.macosx-10.7-x86_64-3.6/scipy/_build_utils
copying scipy/_build_utils/system_info.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_build_utils
copying scipy/_build_utils/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_build_utils
copying scipy/_build_utils/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_build_utils
copying scipy/_build_utils/_fortran.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_build_utils
copying scipy/_build_utils/compiler_helper.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_build_utils
creating build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/uarray.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_testutils.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_pep440.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/deprecation.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/decorator.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_ccallback.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_threadsafety.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_tmpdirs.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_util.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/_gcutils.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
copying scipy/_lib/doccer.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib
creating build/lib.macosx-10.7-x86_64-3.6/scipy/_lib/_uarray
copying scipy/_lib/_uarray/_backend.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib/_uarray
copying scipy/_lib/_uarray/__init__.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib/_uarray
copying scipy/_lib/_uarray/setup.py -<span class="pl-k">></span> build/lib.macosx-10.7-x86_64-3.6/scipy/_lib/_uarray
running build_clib
customize UnixCCompiler
customize UnixCCompiler using build_clib
get_default_fcompiler: matching types: <span class="pl-s"><span class="pl-pds">'</span>[<span class="pl-pds">'</span></span>gnu95<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>nag<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>absoft<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>ibm<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>intel<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>gnu<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>g95<span class="pl-s"><span class="pl-pds">'</span>, <span class="pl-pds">'</span></span>pg<span class="pl-s"><span class="pl-pds">'</span>]<span class="pl-pds">'</span></span>
customize Gnu95FCompiler
customize Gnu95FCompiler
customize Gnu95FCompiler using build_clib
building <span class="pl-s"><span class="pl-pds">'</span>mach<span class="pl-pds">'</span></span> library
using additional config_fc from setup script <span class="pl-k">for</span> fortran compiler: {<span class="pl-s"><span class="pl-pds">'</span>noopt<span class="pl-pds">'</span></span>: (<span class="pl-s"><span class="pl-pds">'</span>scipy/integrate/setup.py<span class="pl-pds">'</span></span>, 1)}
customize Gnu95FCompiler
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC
creating build/temp.macosx-10.7-x86_64-3.6
creating build/temp.macosx-10.7-x86_64-3.6/scipy
creating build/temp.macosx-10.7-x86_64-3.6/scipy/integrate
creating build/temp.macosx-10.7-x86_64-3.6/scipy/integrate/mach
compile options: <span class="pl-s"><span class="pl-pds">'</span>-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c<span class="pl-pds">'</span></span>
gfortran:f77: scipy/integrate/mach/xerror.f
scipy/integrate/mach/xerror.f:1:37:
1 <span class="pl-k">|</span> SUBROUTINE XERROR(MESS,NMESS,L1,L2)
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>l1<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/mach/xerror.f:1:40:
1 <span class="pl-k">|</span> SUBROUTINE XERROR(MESS,NMESS,L1,L2)
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>l2<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
gfortran:f77: scipy/integrate/mach/d1mach.f
ar: adding 2 object files to build/temp.macosx-10.7-x86_64-3.6/libmach.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libmach.a
building <span class="pl-s"><span class="pl-pds">'</span>quadpack<span class="pl-pds">'</span></span> library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
creating build/temp.macosx-10.7-x86_64-3.6/scipy/integrate/quadpack
compile options: <span class="pl-s"><span class="pl-pds">'</span>-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c<span class="pl-pds">'</span></span>
gfortran:f77: scipy/integrate/quadpack/dqcheb.f
gfortran:f77: scipy/integrate/quadpack/dqawse.f
gfortran:f77: scipy/integrate/quadpack/dqk41.f
gfortran:f77: scipy/integrate/quadpack/dqawoe.f
scipy/integrate/quadpack/dqawoe.f:449:0:
449 <span class="pl-k">|</span> 70 if(ierro.eq.3.or.erlarg.le.ertest) go to 90
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>ertest<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/integrate/quadpack/dqawoe.f:428:0:
428 <span class="pl-k">|</span> erlarg = erlarg-erlast
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>erlarg<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/integrate/quadpack/dqawoe.f:505:0:
505 <span class="pl-k">|</span> if(ierro.eq.3) abserr = abserr+correc
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>correc<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/integrate/quadpack/dqc25f.f
scipy/integrate/quadpack/dqc25f.f:327:0:
327 <span class="pl-k">|</span> resc12 = cheb12(13)<span class="pl-k">*</span>chebmo(m,13)
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>m<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/integrate/quadpack/dqwgts.f
gfortran:f77: scipy/integrate/quadpack/dqk51.f
gfortran:f77: scipy/integrate/quadpack/dqagse.f
scipy/integrate/quadpack/dqagse.f:404:0:
404 <span class="pl-k">|</span> small = small<span class="pl-k">*</span>0.5d+00
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>small<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/integrate/quadpack/dqagse.f:363:0:
363 <span class="pl-k">|</span> 40 if(ierro.eq.3.or.erlarg.le.ertest) go to 60
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>ertest<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/integrate/quadpack/dqagse.f:353:0:
353 <span class="pl-k">|</span> erlarg = erlarg-erlast
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>erlarg<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/integrate/quadpack/dqagse.f:418:0:
418 <span class="pl-k">|</span> if(ierro.eq.3) abserr = abserr+correc
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>correc<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/integrate/quadpack/dqng.f
scipy/integrate/quadpack/dqng.f:365:0:
365 <span class="pl-k">|</span> <span class="pl-k">*</span> abserr = resasc<span class="pl-k">*</span>dmin1(0.1d+01,(0.2d+03<span class="pl-k">*</span>abserr/resasc)<span class="pl-k">**</span>1.5d+00)
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>resasc<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/integrate/quadpack/dqng.f:367:0:
367 <span class="pl-k">|</span> <span class="pl-k">*</span> <span class="pl-s"><span class="pl-pds">((</span>epmach<span class="pl-k">*</span><span class="pl-c1">0</span>.<span class="pl-c1">5</span>d<span class="pl-k">+</span><span class="pl-c1">02</span>)<span class="pl-k">*</span>resabs<span class="pl-k">,</span>abserr)</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'resabs' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/integrate/quadpack/dqng.f:<span class="pl-c1">363</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">363</span> | abserr = dabs((res<span class="pl-c1">87</span>-res<span class="pl-c1">43</span>)*hlgth)</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'res<span class="pl-c1">43</span>' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqawf.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqk<span class="pl-c1">15</span>.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqmomo.f</span>
<span class="pl-s"> scipy/integrate/quadpack/dqmomo.f:<span class="pl-c1">126</span>:<span class="pl-c1">5</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">126</span> | <span class="pl-c1">90</span> return</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Label <span class="pl-c1">90</span> at (<span class="pl-c1">1</span>) defined but not used [-Wunused-label]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqelg.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqag.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqaws.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqk<span class="pl-c1">15</span>i.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqawo.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqwgtf.f</span>
<span class="pl-s"> scipy/integrate/quadpack/dqwgtf.f:<span class="pl-c1">1</span>:<span class="pl-c1">49</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">1</span> | double precision function dqwgtf(x,omega,p<span class="pl-c1">2</span>,p<span class="pl-c1">3</span>,p<span class="pl-c1">4</span>,integr)</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Unused dummy argument 'p<span class="pl-c1">2</span>' at (<span class="pl-c1">1</span>) [-Wunused-dummy-argument]</span>
<span class="pl-s"> scipy/integrate/quadpack/dqwgtf.f:<span class="pl-c1">1</span>:<span class="pl-c1">52</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">1</span> | double precision function dqwgtf(x,omega,p<span class="pl-c1">2</span>,p<span class="pl-c1">3</span>,p<span class="pl-c1">4</span>,integr)</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Unused dummy argument 'p<span class="pl-c1">3</span>' at (<span class="pl-c1">1</span>) [-Wunused-dummy-argument]</span>
<span class="pl-s"> scipy/integrate/quadpack/dqwgtf.f:<span class="pl-c1">1</span>:<span class="pl-c1">55</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">1</span> | double precision function dqwgtf(x,omega,p<span class="pl-c1">2</span>,p<span class="pl-c1">3</span>,p<span class="pl-c1">4</span>,integr)</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Unused dummy argument 'p<span class="pl-c1">4</span>' at (<span class="pl-c1">1</span>) [-Wunused-dummy-argument]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqc<span class="pl-c1">25</span>s.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqagi.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqagp.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqawce.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/integrate/quadpack/dqawfe.f</span>
<span class="pl-s"> scipy/integrate/quadpack/dqawfe.f:<span class="pl-c1">267</span>:<span class="pl-c1">10</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">267</span> | <span class="pl-c1">10</span> l = dabs(omega)</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Possible change of value in conversion from REAL(<span class="pl-c1">8</span>) to INTEGER(<span class="pl-c1">4</span>) at (<span class="pl-c1">1</span>) [-Wconversion]</span>
<span class="pl-s"> scipy/integrate/quadpack/dqawfe.f:<span class="pl-c1">356</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">356</span> | <span class="pl-c1">70</span> if(abserr/dabs(result).gt.(errsum+drl)/dabs(psum(numrl<span class="pl-c1">2</span><span class="pl-pds">))</span></span>)
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>drl<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/integrate/quadpack/dqawfe.f:316:0:
316 <span class="pl-k">|</span> 20 psum(numrl2) = psum(ll)+rslst(lst)
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>ll<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/integrate/quadpack/dqwgtc.f
scipy/integrate/quadpack/dqwgtc.f:1:54:
1 <span class="pl-k">|</span> double precision <span class="pl-k">function</span> <span class="pl-en">dqwgtc(x,c,p2,p3,p4,kp)</span>
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>kp<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/quadpack/dqwgtc.f:1:45:
1 <span class="pl-k">|</span> double precision <span class="pl-k">function</span> <span class="pl-en">dqwgtc(x,c,p2,p3,p4,kp)</span>
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>p2<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/quadpack/dqwgtc.f:1:48:
1 <span class="pl-k">|</span> double precision <span class="pl-k">function</span> <span class="pl-en">dqwgtc(x,c,p2,p3,p4,kp)</span>
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>p3<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/quadpack/dqwgtc.f:1:51:
1 <span class="pl-k">|</span> double precision <span class="pl-k">function</span> <span class="pl-en">dqwgtc(x,c,p2,p3,p4,kp)</span>
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>p4<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
gfortran:f77: scipy/integrate/quadpack/dqk61.f
gfortran:f77: scipy/integrate/quadpack/dqagpe.f
scipy/integrate/quadpack/dqagpe.f:297:72:
297 <span class="pl-k">|</span> <span class="pl-k">do</span> 20 j = ip1,nintp1
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 20 at (1)
scipy/integrate/quadpack/dqagpe.f:524:0:
524 <span class="pl-k">|</span> if(ierro.eq.3) abserr = abserr+correc
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>correc<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/integrate/quadpack/dqagpe.f:196:21:
196 <span class="pl-k">|</span> <span class="pl-k">*</span> jlow,jupbnd,k,ksgn,ktmin,last,levcur,level,levmax,limit,maxerr,
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>k<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/integrate/quadpack/dqags.f
gfortran:f77: scipy/integrate/quadpack/dqc25c.f
gfortran:f77: scipy/integrate/quadpack/dqk21.f
gfortran:f77: scipy/integrate/quadpack/dqk31.f
gfortran:f77: scipy/integrate/quadpack/dqk15w.f
gfortran:f77: scipy/integrate/quadpack/dqpsrt.f
gfortran:f77: scipy/integrate/quadpack/dqawc.f
gfortran:f77: scipy/integrate/quadpack/dqage.f
gfortran:f77: scipy/integrate/quadpack/dqagie.f
scipy/integrate/quadpack/dqagie.f:411:0:
411 <span class="pl-k">|</span> small = small<span class="pl-k">*</span>0.5d+00
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>small<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/integrate/quadpack/dqagie.f:372:0:
372 <span class="pl-k">|</span> 40 if(ierro.eq.3.or.erlarg.le.ertest) go to 60
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>ertest<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/integrate/quadpack/dqagie.f:362:0:
362 <span class="pl-k">|</span> erlarg = erlarg-erlast
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>erlarg<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
ar: adding 35 object files to build/temp.macosx-10.7-x86_64-3.6/libquadpack.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libquadpack.a
building <span class="pl-s"><span class="pl-pds">'</span>lsoda<span class="pl-pds">'</span></span> library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
creating build/temp.macosx-10.7-x86_64-3.6/scipy/integrate/odepack
compile options: <span class="pl-s"><span class="pl-pds">'</span>-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c<span class="pl-pds">'</span></span>
gfortran:f77: scipy/integrate/odepack/blkdta000.f
gfortran:f77: scipy/integrate/odepack/bnorm.f
scipy/integrate/odepack/bnorm.f:24:72:
24 <span class="pl-k">|</span> 10 sum = sum + dabs(a(i1-j,j))/w(j)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
gfortran:f77: scipy/integrate/odepack/cfode.f
scipy/integrate/odepack/cfode.f:62:72:
62 <span class="pl-k">|</span> 110 pc(i) = pc(i-1) + fnqm1<span class="pl-k">*</span>pc(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/cfode.f:71:72:
71 <span class="pl-k">|</span> 120 xpin = xpin + tsign<span class="pl-k">*</span>pc(i)/dfloat(i+1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/cfode.f:76:72:
76 <span class="pl-k">|</span> 130 elco(i+1,nq) = rq1fac<span class="pl-k">*</span>pc(i)/dfloat(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 130 at (1)
scipy/integrate/odepack/cfode.f:99:72:
99 <span class="pl-k">|</span> 210 pc(i) = pc(i-1) + fnq<span class="pl-k">*</span>pc(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/cfode.f:103:72:
103 <span class="pl-k">|</span> 220 elco(i,nq) = pc(i)/pc(2)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
gfortran:f77: scipy/integrate/odepack/ewset.f
scipy/integrate/odepack/ewset.f:17:72:
17 <span class="pl-k">|</span> 15 ewt(i) = rtol(1)<span class="pl-k">*</span>dabs(ycur(i)) + atol(1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/odepack/ewset.f:21:72:
21 <span class="pl-k">|</span> 25 ewt(i) = rtol(1)<span class="pl-k">*</span>dabs(ycur(i)) + atol(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/odepack/ewset.f:25:72:
25 <span class="pl-k">|</span> 35 ewt(i) = rtol(i)<span class="pl-k">*</span>dabs(ycur(i)) + atol(1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 35 at (1)
scipy/integrate/odepack/ewset.f:29:72:
29 <span class="pl-k">|</span> 45 ewt(i) = rtol(i)<span class="pl-k">*</span>dabs(ycur(i)) + atol(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 45 at (1)
gfortran:f77: scipy/integrate/odepack/fnorm.f
scipy/integrate/odepack/fnorm.f:16:72:
16 <span class="pl-k">|</span> 10 sum = sum + dabs(a(i,j))/w(j)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
gfortran:f77: scipy/integrate/odepack/intdy.f
scipy/integrate/odepack/intdy.f:48:72:
48 <span class="pl-k">|</span> 10 ic = ic<span class="pl-k">*</span>jj
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/intdy.f:51:72:
51 <span class="pl-k">|</span> 20 dky(i) = c<span class="pl-k">*</span>yh(i,l)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/intdy.f:61:72:
61 <span class="pl-k">|</span> 30 ic = ic<span class="pl-k">*</span>jj
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 30 at (1)
scipy/integrate/odepack/intdy.f:64:72:
64 <span class="pl-k">|</span> 40 dky(i) = c<span class="pl-k">*</span>yh(i,jp1) + s<span class="pl-k">*</span>dky(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 40 at (1)
scipy/integrate/odepack/intdy.f:69:72:
69 <span class="pl-k">|</span> 60 dky(i) = r<span class="pl-k">*</span>dky(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 60 at (1)
gfortran:f77: scipy/integrate/odepack/lsoda.f
scipy/integrate/odepack/lsoda.f:1178:72:
1178 <span class="pl-k">|</span> 95 rwork(i) = 0.0d0
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 95 at (1)
scipy/integrate/odepack/lsoda.f:1219:72:
1219 <span class="pl-k">|</span> 115 rwork(i+lyh-1) = y(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 115 at (1)
scipy/integrate/odepack/lsoda.f:1226:72:
1226 <span class="pl-k">|</span> 120 rwork(i+lewt-1) = 1.0d0/rwork(i+lewt-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/lsoda.f:1253:72:
1253 <span class="pl-k">|</span> 130 tol = dmax1(tol,rtol(i))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 130 at (1)
scipy/integrate/odepack/lsoda.f:1274:72:
1274 <span class="pl-k">|</span> 190 rwork(i+lf0-1) = h0<span class="pl-k">*</span>rwork(i+lf0-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 190 at (1)
scipy/integrate/odepack/lsoda.f:1330:72:
1330 <span class="pl-k">|</span> 260 rwork(i+lewt-1) = 1.0d0/rwork(i+lewt-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 260 at (1)
scipy/integrate/odepack/lsoda.f:1425:72:
1425 <span class="pl-k">|</span> 410 y(i) = rwork(i+lyh-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 410 at (1)
scipy/integrate/odepack/lsoda.f:1521:72:
1521 <span class="pl-k">|</span> 590 y(i) = rwork(i+lyh-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 590 at (1)
scipy/integrate/odepack/lsoda.f:1428:10:
1428 <span class="pl-k">|</span> <span class="pl-k">if</span> (ihit) t = tcrit
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>ihit<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/integrate/odepack/lsoda.f:1112:0:
1112 <span class="pl-k">|</span> len1s = len1s + lenwm
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>lenwm<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/integrate/odepack/prja.f
scipy/integrate/odepack/prja.f:69:72:
69 <span class="pl-k">|</span> 110 wm(i+2) = 0.0d0
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/prja.f:77:72:
77 <span class="pl-k">|</span> 120 wm(i+2) = wm(i+2)<span class="pl-k">*</span>con
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/prja.f:96:72:
96 <span class="pl-k">|</span> 220 wm(i+j1) = (ftem(i) - savf(i))<span class="pl-k">*</span>fac
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/prja.f:109:72:
109 <span class="pl-k">|</span> 250 j = j + np1
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 250 at (1)
scipy/integrate/odepack/prja.f:126:72:
126 <span class="pl-k">|</span> 410 wm(i+2) = 0.0d0
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 410 at (1)
scipy/integrate/odepack/prja.f:134:72:
134 <span class="pl-k">|</span> 420 wm(i+2) = wm(i+2)<span class="pl-k">*</span>con
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 420 at (1)
scipy/integrate/odepack/prja.f:151:72:
151 <span class="pl-k">|</span> 530 y(i) = y(i) + r
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 530 at (1)
scipy/integrate/odepack/prja.f:166:72:
166 <span class="pl-k">|</span> 540 wm(ii+i) = (ftem(i) - savf(i))<span class="pl-k">*</span>fac
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 540 at (1)
scipy/integrate/odepack/prja.f:177:72:
177 <span class="pl-k">|</span> 580 ii = ii + meband
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 580 at (1)
gfortran:f77: scipy/integrate/odepack/solsy.f
scipy/integrate/odepack/solsy.f:57:72:
57 <span class="pl-k">|</span> 320 wm(i+2) = 1.0d0/di
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 320 at (1)
scipy/integrate/odepack/solsy.f:59:72:
59 <span class="pl-k">|</span> 340 x(i) = wm(i+2)<span class="pl-k">*</span>x(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 340 at (1)
scipy/integrate/odepack/solsy.f:1:39:
1 <span class="pl-k">|</span> subroutine solsy (wm, iwm, x, tem)
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>tem<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
gfortran:f77: scipy/integrate/odepack/srcma.f
scipy/integrate/odepack/srcma.f:27:72:
27 <span class="pl-k">|</span> 10 rsav(i) = rls(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/srcma.f:29:72:
29 <span class="pl-k">|</span> 15 rsav(lenrls+i) = rlsa(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/odepack/srcma.f:32:72:
32 <span class="pl-k">|</span> 20 isav(i) = ils(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/srcma.f:34:72:
34 <span class="pl-k">|</span> 25 isav(lenils+i) = ilsa(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/odepack/srcma.f:42:72:
42 <span class="pl-k">|</span> 110 rls(i) = rsav(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/srcma.f:44:72:
44 <span class="pl-k">|</span> 115 rlsa(i) = rsav(lenrls+i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 115 at (1)
scipy/integrate/odepack/srcma.f:47:72:
47 <span class="pl-k">|</span> 120 ils(i) = isav(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/srcma.f:49:72:
49 <span class="pl-k">|</span> 125 ilsa(i) = isav(lenils+i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 125 at (1)
gfortran:f77: scipy/integrate/odepack/stoda.f
scipy/integrate/odepack/stoda.f:155:72:
155 <span class="pl-k">|</span> 10 cm2(i) = tesco(2,i)<span class="pl-k">*</span>elco(i+1,i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/stoda.f:158:72:
158 <span class="pl-k">|</span> 20 cm1(i) = tesco(2,i)<span class="pl-k">*</span>elco(i+1,i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/stoda.f:183:72:
183 <span class="pl-k">|</span> 155 el(i) = elco(i,nq)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 155 at (1)
scipy/integrate/odepack/stoda.f:218:72:
218 <span class="pl-k">|</span> <span class="pl-k">do</span> 180 i = 1,n
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 180 at (1)
scipy/integrate/odepack/stoda.f:219:72:
219 <span class="pl-k">|</span> 180 yh(i,j) = yh(i,j)<span class="pl-k">*</span>r
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 180 at (1)
scipy/integrate/odepack/stoda.f:240:72:
240 <span class="pl-k">|</span> 210 yh1(i) = yh1(i) + yh1(i+nyh)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/stoda.f:253:72:
253 <span class="pl-k">|</span> 230 y(i) = yh(i,1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 230 at (1)
scipy/integrate/odepack/stoda.f:275:72:
275 <span class="pl-k">|</span> 260 acor(i) = 0.0d0
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 260 at (1)
scipy/integrate/odepack/stoda.f:283:72:
283 <span class="pl-k">|</span> 290 y(i) = savf(i) - acor(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 290 at (1)
scipy/integrate/odepack/stoda.f:287:72:
287 <span class="pl-k">|</span> 300 acor(i) = savf(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 300 at (1)
scipy/integrate/odepack/stoda.f:295:72:
295 <span class="pl-k">|</span> 360 y(i) = h<span class="pl-k">*</span>savf(i) - (yh(i,2) + acor(i))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 360 at (1)
scipy/integrate/odepack/stoda.f:302:72:
302 <span class="pl-k">|</span> 380 y(i) = yh(i,1) + el(1)<span class="pl-k">*</span>acor(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 380 at (1)
scipy/integrate/odepack/stoda.f:360:72:
360 <span class="pl-k">|</span> 440 yh1(i) = yh1(i) - yh1(i+nyh)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 440 at (1)
scipy/integrate/odepack/stoda.f:399:72:
399 <span class="pl-k">|</span> <span class="pl-k">do</span> 460 i = 1,n
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 460 at (1)
scipy/integrate/odepack/stoda.f:400:72:
400 <span class="pl-k">|</span> 460 yh(i,j) = yh(i,j) + el(j)<span class="pl-k">*</span>acor(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 460 at (1)
scipy/integrate/odepack/stoda.f:508:72:
508 <span class="pl-k">|</span> 490 yh(i,lmax) = acor(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 490 at (1)
scipy/integrate/odepack/stoda.f:524:72:
524 <span class="pl-k">|</span> 510 yh1(i) = yh1(i) - yh1(i+nyh)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 510 at (1)
scipy/integrate/odepack/stoda.f:544:72:
544 <span class="pl-k">|</span> 530 savf(i) = acor(i) - yh(i,lmax)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 530 at (1)
scipy/integrate/odepack/stoda.f:578:72:
578 <span class="pl-k">|</span> 600 yh(i,newq+1) = acor(i)<span class="pl-k">*</span>r
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 600 at (1)
scipy/integrate/odepack/stoda.f:611:72:
611 <span class="pl-k">|</span> 645 y(i) = yh(i,1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 645 at (1)
scipy/integrate/odepack/stoda.f:619:72:
619 <span class="pl-k">|</span> 650 yh(i,2) = h<span class="pl-k">*</span>savf(i)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 650 at (1)
scipy/integrate/odepack/stoda.f:640:72:
640 <span class="pl-k">|</span> 710 acor(i) = acor(i)<span class="pl-k">*</span>r
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 710 at (1)
gfortran:f77: scipy/integrate/odepack/vmnorm.f
scipy/integrate/odepack/vmnorm.f:14:72:
14 <span class="pl-k">|</span> 10 vm = dmax1(vm,dabs(v(i))<span class="pl-k">*</span>w(i))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
gfortran:f77: scipy/integrate/odepack/xerrwv.f
scipy/integrate/odepack/xerrwv.f:1:40:
1 <span class="pl-k">|</span> subroutine xerrwv (msg, nmes, nerr, level, ni, i1, i2, nr, r1, r2)
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>nerr<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
gfortran:f77: scipy/integrate/odepack/xsetf.f
gfortran:f77: scipy/integrate/odepack/xsetun.f
ar: adding 15 object files to build/temp.macosx-10.7-x86_64-3.6/liblsoda.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/liblsoda.a
building <span class="pl-s"><span class="pl-pds">'</span>vode<span class="pl-pds">'</span></span> library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
compile options: <span class="pl-s"><span class="pl-pds">'</span>-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c<span class="pl-pds">'</span></span>
gfortran:f77: scipy/integrate/odepack/vode.f
scipy/integrate/odepack/vode.f:1347:72:
1347 <span class="pl-k">|</span> 120 RWORK(I+LEWT-1) = ONE/RWORK(I+LEWT-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/vode.f:1412:72:
1412 <span class="pl-k">|</span> 260 RWORK(I+LEWT-1) = ONE/RWORK(I+LEWT-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 260 at (1)
scipy/integrate/odepack/vode.f:1776:72:
1776 <span class="pl-k">|</span> 60 Y(I) = Y0(I) + H<span class="pl-k">*</span>YDOT(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 60 at (1)
scipy/integrate/odepack/vode.f:1779:72:
1779 <span class="pl-k">|</span> 70 TEMP(I) = (TEMP(I) - YDOT(I))/H
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 70 at (1)
scipy/integrate/odepack/vode.f:1906:72:
1906 <span class="pl-k">|</span> 10 IC = IC<span class="pl-k">*</span>JJ
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/vode.f:1909:72:
1909 <span class="pl-k">|</span> 20 DKY(I) = C<span class="pl-k">*</span>YH(I,L)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/vode.f:1919:72:
1919 <span class="pl-k">|</span> 30 IC = IC<span class="pl-k">*</span>JJ
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 30 at (1)
scipy/integrate/odepack/vode.f:1922:72:
1922 <span class="pl-k">|</span> 40 DKY(I) = C<span class="pl-k">*</span>YH(I,JP1) + S<span class="pl-k">*</span>DKY(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 40 at (1)
scipy/integrate/odepack/vode.f:2134:72:
2134 <span class="pl-k">|</span> 110 YH1(I) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/vode.f:2181:72:
2181 <span class="pl-k">|</span> 210 YH1(I) = YH1(I) + YH1(I+LDYH)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/vode.f:2208:72:
2208 <span class="pl-k">|</span> 420 YH1(I) = YH1(I) - YH1(I+LDYH)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 420 at (1)
scipy/integrate/odepack/vode.f:2236:72:
2236 <span class="pl-k">|</span> 470 TAU(I+1) = TAU(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 470 at (1)
scipy/integrate/odepack/vode.f:2267:72:
2267 <span class="pl-k">|</span> 510 YH1(I) = YH1(I) - YH1(I+LDYH)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 510 at (1)
scipy/integrate/odepack/vode.f:2301:72:
2301 <span class="pl-k">|</span> 550 YH(I,2) = H<span class="pl-k">*</span>SAVF(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 550 at (1)
scipy/integrate/odepack/vode.f:2329:72:
2329 <span class="pl-k">|</span> 575 SAVF(I) = ACOR(I) - CNQUOT<span class="pl-k">*</span>YH(I,LMAX)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 575 at (1)
scipy/integrate/odepack/vode.f:2479:72:
2479 <span class="pl-k">|</span> 115 EM(I) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 115 at (1)
scipy/integrate/odepack/vode.f:2486:72:
2486 <span class="pl-k">|</span> 120 S = -S
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/vode.f:2491:72:
2491 <span class="pl-k">|</span> 140 EM(I) = EM(I) + EM(I-1)<span class="pl-k">*</span>RXI
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 140 at (1)
scipy/integrate/odepack/vode.f:2502:72:
2502 <span class="pl-k">|</span> 160 S = -S
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 160 at (1)
scipy/integrate/odepack/vode.f:2507:72:
2507 <span class="pl-k">|</span> 170 EL(I+1) = S<span class="pl-k">*</span>EM(I)/REAL(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 170 at (1)
scipy/integrate/odepack/vode.f:2516:72:
2516 <span class="pl-k">|</span> 180 EM(I) = EM(I) + EM(I-1)<span class="pl-k">*</span>RXI
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 180 at (1)
scipy/integrate/odepack/vode.f:2522:72:
2522 <span class="pl-k">|</span> 190 S = -S
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 190 at (1)
scipy/integrate/odepack/vode.f:2528:72:
2528 <span class="pl-k">|</span> 210 EL(I) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/vode.f:2545:72:
2545 <span class="pl-k">|</span> 220 EL(I) = EL(I) + EL(I-1)<span class="pl-k">*</span>RXI
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/vode.f:2554:72:
2554 <span class="pl-k">|</span> 235 EL(I) = EL(I) + EL(I-1)<span class="pl-k">*</span>RXIS
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 235 at (1)
scipy/integrate/odepack/vode.f:2644:72:
2644 <span class="pl-k">|</span> 110 EL(J) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/vode.f:2654:72:
2654 <span class="pl-k">|</span> 120 EL(I) = EL(I)<span class="pl-k">*</span>XI + EL(I-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/vode.f:2658:72:
2658 <span class="pl-k">|</span> 140 EL(J+1) = REAL(NQ)<span class="pl-k">*</span>EL(J)/REAL(J)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 140 at (1)
scipy/integrate/odepack/vode.f:2662:72:
2662 <span class="pl-k">|</span> 160 YH(I,J) = YH(I,J) - YH(I,L)<span class="pl-k">*</span>EL(J)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 160 at (1)
scipy/integrate/odepack/vode.f:2670:72:
2670 <span class="pl-k">|</span> 190 YH(I,LP1) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 190 at (1)
scipy/integrate/odepack/vode.f:2680:72:
2680 <span class="pl-k">|</span> 210 EL(J) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/vode.f:2690:72:
2690 <span class="pl-k">|</span> 220 EL(I) = EL(I)<span class="pl-k">*</span>XI + EL(I-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/vode.f:2695:72:
2695 <span class="pl-k">|</span> 240 YH(I,J) = YH(I,J) - YH(I,L)<span class="pl-k">*</span>EL(J)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 240 at (1)
scipy/integrate/odepack/vode.f:2700:72:
2700 <span class="pl-k">|</span> 310 EL(J) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 310 at (1)
scipy/integrate/odepack/vode.f:2718:72:
2718 <span class="pl-k">|</span> 320 EL(I) = EL(I)<span class="pl-k">*</span>XIOLD + EL(I-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 320 at (1)
scipy/integrate/odepack/vode.f:2726:72:
2726 <span class="pl-k">|</span> 350 YH(I,LP1) = T1<span class="pl-k">*</span>YH(I,LMAX)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 350 at (1)
scipy/integrate/odepack/vode.f:2894:72:
2894 <span class="pl-k">|</span> 260 ACOR(I) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 260 at (1)
scipy/integrate/odepack/vode.f:2902:72:
2902 <span class="pl-k">|</span> 280 SAVF(I) = RL1<span class="pl-k">*</span>(H<span class="pl-k">*</span>SAVF(I) - YH(I,2))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 280 at (1)
scipy/integrate/odepack/vode.f:2904:72:
2904 <span class="pl-k">|</span> 290 Y(I) = SAVF(I) - ACOR(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 290 at (1)
scipy/integrate/odepack/vode.f:2907:72:
2907 <span class="pl-k">|</span> 300 Y(I) = YH(I,1) + SAVF(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 300 at (1)
scipy/integrate/odepack/vode.f:2917:72:
2917 <span class="pl-k">|</span> 360 Y(I) = (RL1<span class="pl-k">*</span>H)<span class="pl-k">*</span>SAVF(I) - (RL1<span class="pl-k">*</span>YH(I,2) + ACOR(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 360 at (1)
scipy/integrate/odepack/vode.f:2928:72:
2928 <span class="pl-k">|</span> 380 Y(I) = YH(I,1) + ACOR(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 380 at (1)
scipy/integrate/odepack/vode.f:3091:72:
3091 <span class="pl-k">|</span> 110 WM(I+2) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/vode.f:3113:72:
3113 <span class="pl-k">|</span> 220 WM(I+J1) = (FTEM(I) - SAVF(I))<span class="pl-k">*</span>FAC
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/vode.f:3136:72:
3136 <span class="pl-k">|</span> 250 J = J + NP1
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 250 at (1)
scipy/integrate/odepack/vode.f:3153:72:
3153 <span class="pl-k">|</span> 310 Y(I) = Y(I) + R<span class="pl-k">*</span>(H<span class="pl-k">*</span>SAVF(I) - YH(I,2))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 310 at (1)
scipy/integrate/odepack/vode.f:3184:72:
3184 <span class="pl-k">|</span> 410 WM(I+2) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 410 at (1)
scipy/integrate/odepack/vode.f:3205:72:
3205 <span class="pl-k">|</span> 530 Y(I) = Y(I) + R
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 530 at (1)
scipy/integrate/odepack/vode.f:3216:72:
3216 <span class="pl-k">|</span> 540 WM(II+I) = (FTEM(I) - SAVF(I))<span class="pl-k">*</span>FAC
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 540 at (1)
scipy/integrate/odepack/vode.f:3235:72:
3235 <span class="pl-k">|</span> 580 II = II + MEBAND
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 580 at (1)
scipy/integrate/odepack/vode.f:3355:72:
3355 <span class="pl-k">|</span> 320 WM(I+2) = ONE/DI
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 320 at (1)
scipy/integrate/odepack/vode.f:3358:72:
3358 <span class="pl-k">|</span> 340 X(I) = WM(I+2)<span class="pl-k">*</span>X(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 340 at (1)
scipy/integrate/odepack/vode.f:3409:72:
3409 <span class="pl-k">|</span> 10 RSAV(I) = RVOD1(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/vode.f:3411:72:
3411 <span class="pl-k">|</span> 15 RSAV(LENRV1+I) = RVOD2(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/odepack/vode.f:3414:72:
3414 <span class="pl-k">|</span> 20 ISAV(I) = IVOD1(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/vode.f:3416:72:
3416 <span class="pl-k">|</span> 25 ISAV(LENIV1+I) = IVOD2(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/odepack/vode.f:3422:72:
3422 <span class="pl-k">|</span> 110 RVOD1(I) = RSAV(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/vode.f:3424:72:
3424 <span class="pl-k">|</span> 115 RVOD2(I) = RSAV(LENRV1+I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 115 at (1)
scipy/integrate/odepack/vode.f:3427:72:
3427 <span class="pl-k">|</span> 120 IVOD1(I) = ISAV(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/vode.f:3429:72:
3429 <span class="pl-k">|</span> 125 IVOD2(I) = ISAV(LENIV1+I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 125 at (1)
scipy/integrate/odepack/vode.f:3456:72:
3456 <span class="pl-k">|</span> 15 EWT(I) = RTOL(1)<span class="pl-k">*</span>ABS(YCUR(I)) + ATOL(1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/odepack/vode.f:3460:72:
3460 <span class="pl-k">|</span> 25 EWT(I) = RTOL(1)<span class="pl-k">*</span>ABS(YCUR(I)) + ATOL(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/odepack/vode.f:3464:72:
3464 <span class="pl-k">|</span> 35 EWT(I) = RTOL(I)<span class="pl-k">*</span>ABS(YCUR(I)) + ATOL(1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 35 at (1)
scipy/integrate/odepack/vode.f:3468:72:
3468 <span class="pl-k">|</span> 45 EWT(I) = RTOL(I)<span class="pl-k">*</span>ABS(YCUR(I)) + ATOL(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 45 at (1)
scipy/integrate/odepack/vode.f:3494:72:
3494 <span class="pl-k">|</span> 10 SUM = SUM + (V(I)<span class="pl-k">*</span>W(I))<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/vode.f:2370:4:
2370 <span class="pl-k">|</span> 700 R = ONE/TQ(2)
<span class="pl-k">|</span> 1
Warning: Label 700 at (1) defined but not used [-Wunused-label]
scipy/integrate/odepack/vode.f:3519:40:
3519 <span class="pl-k">|</span> SUBROUTINE XERRWD (MSG, NMES, NERR, LEVEL, NI, I1, I2, NR, R1, R2)
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>nerr<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/odepack/vode.f:3500:44:
3500 <span class="pl-k">|</span> DOUBLE PRECISION FUNCTION D1MACH (IDUM)
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>idum<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/odepack/vode.f:2737:35:
2737 <span class="pl-k">|</span> 1 F, JAC, PDUM, NFLAG, RPAR, IPAR)
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>pdum<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/odepack/vode.f:2736:42:
2736 <span class="pl-k">|</span> SUBROUTINE DVNLSD (Y, YH, LDYH, VSAV, SAVF, EWT, ACOR, IWM, WM,
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>vsav<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/odepack/vode.f:3615:0:
3615 <span class="pl-k">|</span> INTEGER FUNCTION IXSAV (IPAR, IVALUE, ISET)
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>__result_ixsav<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/integrate/odepack/vode.f:1487:10:
1487 <span class="pl-k">|</span> IF (IHIT) T = TCRIT
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>ihit<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/integrate/odepack/zvode.f
scipy/integrate/odepack/zvode.f:1362:72:
1362 <span class="pl-k">|</span> 120 RWORK(I+LEWT-1) = ONE/RWORK(I+LEWT-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/zvode.f:1427:72:
1427 <span class="pl-k">|</span> 260 RWORK(I+LEWT-1) = ONE/RWORK(I+LEWT-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 260 at (1)
scipy/integrate/odepack/zvode.f:1795:72:
1795 <span class="pl-k">|</span> 60 Y(I) = Y0(I) + H<span class="pl-k">*</span>YDOT(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 60 at (1)
scipy/integrate/odepack/zvode.f:1798:72:
1798 <span class="pl-k">|</span> 70 TEMP(I) = (TEMP(I) - YDOT(I))/H
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 70 at (1)
scipy/integrate/odepack/zvode.f:1926:72:
1926 <span class="pl-k">|</span> 10 IC = IC<span class="pl-k">*</span>JJ
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/zvode.f:1929:72:
1929 <span class="pl-k">|</span> 20 DKY(I) = C<span class="pl-k">*</span>YH(I,L)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/zvode.f:1939:72:
1939 <span class="pl-k">|</span> 30 IC = IC<span class="pl-k">*</span>JJ
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 30 at (1)
scipy/integrate/odepack/zvode.f:1942:72:
1942 <span class="pl-k">|</span> 40 DKY(I) = C<span class="pl-k">*</span>YH(I,JP1) + S<span class="pl-k">*</span>DKY(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 40 at (1)
scipy/integrate/odepack/zvode.f:2155:72:
2155 <span class="pl-k">|</span> 110 YH1(I) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/zvode.f:2202:72:
2202 <span class="pl-k">|</span> 210 YH1(I) = YH1(I) + YH1(I+LDYH)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/zvode.f:2229:72:
2229 <span class="pl-k">|</span> 420 YH1(I) = YH1(I) - YH1(I+LDYH)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 420 at (1)
scipy/integrate/odepack/zvode.f:2257:72:
2257 <span class="pl-k">|</span> 470 TAU(I+1) = TAU(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 470 at (1)
scipy/integrate/odepack/zvode.f:2288:72:
2288 <span class="pl-k">|</span> 510 YH1(I) = YH1(I) - YH1(I+LDYH)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 510 at (1)
scipy/integrate/odepack/zvode.f:2322:72:
2322 <span class="pl-k">|</span> 550 YH(I,2) = H<span class="pl-k">*</span>SAVF(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 550 at (1)
scipy/integrate/odepack/zvode.f:2350:72:
2350 <span class="pl-k">|</span> 575 SAVF(I) = ACOR(I) - CNQUOT<span class="pl-k">*</span>YH(I,LMAX)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 575 at (1)
scipy/integrate/odepack/zvode.f:2500:72:
2500 <span class="pl-k">|</span> 115 EM(I) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 115 at (1)
scipy/integrate/odepack/zvode.f:2507:72:
2507 <span class="pl-k">|</span> 120 S = -S
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/zvode.f:2512:72:
2512 <span class="pl-k">|</span> 140 EM(I) = EM(I) + EM(I-1)<span class="pl-k">*</span>RXI
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 140 at (1)
scipy/integrate/odepack/zvode.f:2523:72:
2523 <span class="pl-k">|</span> 160 S = -S
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 160 at (1)
scipy/integrate/odepack/zvode.f:2528:72:
2528 <span class="pl-k">|</span> 170 EL(I+1) = S<span class="pl-k">*</span>EM(I)/REAL(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 170 at (1)
scipy/integrate/odepack/zvode.f:2537:72:
2537 <span class="pl-k">|</span> 180 EM(I) = EM(I) + EM(I-1)<span class="pl-k">*</span>RXI
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 180 at (1)
scipy/integrate/odepack/zvode.f:2543:72:
2543 <span class="pl-k">|</span> 190 S = -S
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 190 at (1)
scipy/integrate/odepack/zvode.f:2549:72:
2549 <span class="pl-k">|</span> 210 EL(I) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/zvode.f:2566:72:
2566 <span class="pl-k">|</span> 220 EL(I) = EL(I) + EL(I-1)<span class="pl-k">*</span>RXI
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/zvode.f:2575:72:
2575 <span class="pl-k">|</span> 235 EL(I) = EL(I) + EL(I-1)<span class="pl-k">*</span>RXIS
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 235 at (1)
scipy/integrate/odepack/zvode.f:2665:72:
2665 <span class="pl-k">|</span> 110 EL(J) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/zvode.f:2675:72:
2675 <span class="pl-k">|</span> 120 EL(I) = EL(I)<span class="pl-k">*</span>XI + EL(I-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/zvode.f:2679:72:
2679 <span class="pl-k">|</span> 140 EL(J+1) = REAL(NQ)<span class="pl-k">*</span>EL(J)/REAL(J)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 140 at (1)
scipy/integrate/odepack/zvode.f:2683:72:
2683 <span class="pl-k">|</span> 160 YH(I,J) = YH(I,J) - YH(I,L)<span class="pl-k">*</span>EL(J)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 160 at (1)
scipy/integrate/odepack/zvode.f:2691:72:
2691 <span class="pl-k">|</span> 190 YH(I,LP1) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 190 at (1)
scipy/integrate/odepack/zvode.f:2701:72:
2701 <span class="pl-k">|</span> 210 EL(J) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 210 at (1)
scipy/integrate/odepack/zvode.f:2711:72:
2711 <span class="pl-k">|</span> 220 EL(I) = EL(I)<span class="pl-k">*</span>XI + EL(I-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/zvode.f:2716:72:
2716 <span class="pl-k">|</span> 240 YH(I,J) = YH(I,J) - YH(I,L)<span class="pl-k">*</span>EL(J)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 240 at (1)
scipy/integrate/odepack/zvode.f:2721:72:
2721 <span class="pl-k">|</span> 310 EL(J) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 310 at (1)
scipy/integrate/odepack/zvode.f:2739:72:
2739 <span class="pl-k">|</span> 320 EL(I) = EL(I)<span class="pl-k">*</span>XIOLD + EL(I-1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 320 at (1)
scipy/integrate/odepack/zvode.f:2747:72:
2747 <span class="pl-k">|</span> 350 YH(I,LP1) = T1<span class="pl-k">*</span>YH(I,LMAX)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 350 at (1)
scipy/integrate/odepack/zvode.f:2916:72:
2916 <span class="pl-k">|</span> 260 ACOR(I) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 260 at (1)
scipy/integrate/odepack/zvode.f:2924:72:
2924 <span class="pl-k">|</span> 280 SAVF(I) = RL1<span class="pl-k">*</span>(H<span class="pl-k">*</span>SAVF(I) - YH(I,2))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 280 at (1)
scipy/integrate/odepack/zvode.f:2926:72:
2926 <span class="pl-k">|</span> 290 Y(I) = SAVF(I) - ACOR(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 290 at (1)
scipy/integrate/odepack/zvode.f:2929:72:
2929 <span class="pl-k">|</span> 300 Y(I) = YH(I,1) + SAVF(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 300 at (1)
scipy/integrate/odepack/zvode.f:2939:72:
2939 <span class="pl-k">|</span> 360 Y(I) = (RL1<span class="pl-k">*</span>H)<span class="pl-k">*</span>SAVF(I) - (RL1<span class="pl-k">*</span>YH(I,2) + ACOR(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 360 at (1)
scipy/integrate/odepack/zvode.f:2950:72:
2950 <span class="pl-k">|</span> 380 Y(I) = YH(I,1) + ACOR(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 380 at (1)
scipy/integrate/odepack/zvode.f:3110:72:
3110 <span class="pl-k">|</span> 110 WM(I) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/zvode.f:3131:72:
3131 <span class="pl-k">|</span> 220 WM(I+J1) = (FTEM(I) - SAVF(I))<span class="pl-k">*</span>FAC
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 220 at (1)
scipy/integrate/odepack/zvode.f:3154:72:
3154 <span class="pl-k">|</span> 250 J = J + NP1
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 250 at (1)
scipy/integrate/odepack/zvode.f:3170:72:
3170 <span class="pl-k">|</span> 310 Y(I) = Y(I) + R<span class="pl-k">*</span>(H<span class="pl-k">*</span>SAVF(I) - YH(I,2))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 310 at (1)
scipy/integrate/odepack/zvode.f:3201:72:
3201 <span class="pl-k">|</span> 410 WM(I) = ZERO
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 410 at (1)
scipy/integrate/odepack/zvode.f:3221:72:
3221 <span class="pl-k">|</span> 530 Y(I) = Y(I) + R
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 530 at (1)
scipy/integrate/odepack/zvode.f:3232:72:
3232 <span class="pl-k">|</span> 540 WM(II+I) = (FTEM(I) - SAVF(I))<span class="pl-k">*</span>FAC
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 540 at (1)
scipy/integrate/odepack/zvode.f:3251:72:
3251 <span class="pl-k">|</span> 580 II = II + MEBAND
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 580 at (1)
scipy/integrate/odepack/zvode.f:3367:72:
3367 <span class="pl-k">|</span> 320 WM(I) = ONE/DI
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 320 at (1)
scipy/integrate/odepack/zvode.f:3370:72:
3370 <span class="pl-k">|</span> 340 X(I) = WM(I)<span class="pl-k">*</span>X(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 340 at (1)
scipy/integrate/odepack/zvode.f:3421:72:
3421 <span class="pl-k">|</span> 10 RSAV(I) = RVOD1(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/zvode.f:3423:72:
3423 <span class="pl-k">|</span> 15 RSAV(LENRV1+I) = RVOD2(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/odepack/zvode.f:3426:72:
3426 <span class="pl-k">|</span> 20 ISAV(I) = IVOD1(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 20 at (1)
scipy/integrate/odepack/zvode.f:3428:72:
3428 <span class="pl-k">|</span> 25 ISAV(LENIV1+I) = IVOD2(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/odepack/zvode.f:3434:72:
3434 <span class="pl-k">|</span> 110 RVOD1(I) = RSAV(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 110 at (1)
scipy/integrate/odepack/zvode.f:3436:72:
3436 <span class="pl-k">|</span> 115 RVOD2(I) = RSAV(LENRV1+I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 115 at (1)
scipy/integrate/odepack/zvode.f:3439:72:
3439 <span class="pl-k">|</span> 120 IVOD1(I) = ISAV(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 120 at (1)
scipy/integrate/odepack/zvode.f:3441:72:
3441 <span class="pl-k">|</span> 125 IVOD2(I) = ISAV(LENIV1+I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 125 at (1)
scipy/integrate/odepack/zvode.f:3475:72:
3475 <span class="pl-k">|</span> 15 EWT(I) = RTOL(1)<span class="pl-k">*</span>ABS(YCUR(I)) + ATOL(1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/odepack/zvode.f:3479:72:
3479 <span class="pl-k">|</span> 25 EWT(I) = RTOL(1)<span class="pl-k">*</span>ABS(YCUR(I)) + ATOL(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/odepack/zvode.f:3483:72:
3483 <span class="pl-k">|</span> 35 EWT(I) = RTOL(I)<span class="pl-k">*</span>ABS(YCUR(I)) + ATOL(1)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 35 at (1)
scipy/integrate/odepack/zvode.f:3487:72:
3487 <span class="pl-k">|</span> 45 EWT(I) = RTOL(I)<span class="pl-k">*</span>ABS(YCUR(I)) + ATOL(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 45 at (1)
scipy/integrate/odepack/zvode.f:3519:72:
3519 <span class="pl-k">|</span> 10 SUM = SUM + ZABSSQ(V(I)) <span class="pl-k">*</span> W(I)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/odepack/zvode.f:2391:4:
2391 <span class="pl-k">|</span> 700 R = ONE/TQ(2)
<span class="pl-k">|</span> 1
Warning: Label 700 at (1) defined but not used [-Wunused-label]
scipy/integrate/odepack/zvode.f:2758:35:
2758 <span class="pl-k">|</span> 1 F, JAC, PDUM, NFLAG, RPAR, IPAR)
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>pdum<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/odepack/zvode.f:2757:42:
2757 <span class="pl-k">|</span> SUBROUTINE ZVNLSD (Y, YH, LDYH, VSAV, SAVF, EWT, ACOR, IWM, WM,
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>vsav<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/odepack/zvode.f:1502:10:
1502 <span class="pl-k">|</span> IF (IHIT) T = TCRIT
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>ihit<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
ar: adding 2 object files to build/temp.macosx-10.7-x86_64-3.6/libvode.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libvode.a
building <span class="pl-s"><span class="pl-pds">'</span>dop<span class="pl-pds">'</span></span> library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
creating build/temp.macosx-10.7-x86_64-3.6/scipy/integrate/dop
compile options: <span class="pl-s"><span class="pl-pds">'</span>-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c<span class="pl-pds">'</span></span>
gfortran:f77: scipy/integrate/dop/dop853.f
scipy/integrate/dop/dop853.f:590:72:
590 <span class="pl-k">|</span> 22 Y1(I)=Y(I)+H<span class="pl-k">*</span>A21<span class="pl-k">*</span>K1(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 22 at (1)
scipy/integrate/dop/dop853.f:593:72:
593 <span class="pl-k">|</span> 23 Y1(I)=Y(I)+H<span class="pl-k">*</span>(A31<span class="pl-k">*</span>K1(I)+A32<span class="pl-k">*</span>K2(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 23 at (1)
scipy/integrate/dop/dop853.f:596:72:
596 <span class="pl-k">|</span> 24 Y1(I)=Y(I)+H<span class="pl-k">*</span>(A41<span class="pl-k">*</span>K1(I)+A43<span class="pl-k">*</span>K3(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 24 at (1)
scipy/integrate/dop/dop853.f:599:72:
599 <span class="pl-k">|</span> 25 Y1(I)=Y(I)+H<span class="pl-k">*</span>(A51<span class="pl-k">*</span>K1(I)+A53<span class="pl-k">*</span>K3(I)+A54<span class="pl-k">*</span>K4(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/dop/dop853.f:602:72:
602 <span class="pl-k">|</span> 26 Y1(I)=Y(I)+H<span class="pl-k">*</span>(A61<span class="pl-k">*</span>K1(I)+A64<span class="pl-k">*</span>K4(I)+A65<span class="pl-k">*</span>K5(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 26 at (1)
scipy/integrate/dop/dop853.f:605:72:
605 <span class="pl-k">|</span> 27 Y1(I)=Y(I)+H<span class="pl-k">*</span>(A71<span class="pl-k">*</span>K1(I)+A74<span class="pl-k">*</span>K4(I)+A75<span class="pl-k">*</span>K5(I)+A76<span class="pl-k">*</span>K6(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 27 at (1)
scipy/integrate/dop/dop853.f:608:72:
608 <span class="pl-k">|</span> 28 Y1(I)=Y(I)+H<span class="pl-k">*</span>(A81<span class="pl-k">*</span>K1(I)+A84<span class="pl-k">*</span>K4(I)+A85<span class="pl-k">*</span>K5(I)+A86<span class="pl-k">*</span>K6(I)+A87<span class="pl-k">*</span>K7(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 28 at (1)
scipy/integrate/dop/dop853.f:612:72:
612 <span class="pl-k">|</span> <span class="pl-k">&</span> +A98<span class="pl-k">*</span>K8(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 29 at (1)
scipy/integrate/dop/dop853.f:616:72:
616 <span class="pl-k">|</span> <span class="pl-k">&</span> +A107<span class="pl-k">*</span>K7(I)+A108<span class="pl-k">*</span>K8(I)+A109<span class="pl-k">*</span>K9(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 30 at (1)
scipy/integrate/dop/dop853.f:620:72:
620 <span class="pl-k">|</span> <span class="pl-k">&</span> +A117<span class="pl-k">*</span>K7(I)+A118<span class="pl-k">*</span>K8(I)+A119<span class="pl-k">*</span>K9(I)+A1110<span class="pl-k">*</span>K10(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 31 at (1)
scipy/integrate/dop/dop853.f:625:72:
625 <span class="pl-k">|</span> <span class="pl-k">&</span> +A127<span class="pl-k">*</span>K7(I)+A128<span class="pl-k">*</span>K8(I)+A129<span class="pl-k">*</span>K9(I)+A1210<span class="pl-k">*</span>K10(I)+A1211<span class="pl-k">*</span>K2(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 32 at (1)
scipy/integrate/dop/dop853.f:631:72:
631 <span class="pl-k">|</span> 35 K5(I)=Y(I)+H<span class="pl-k">*</span>K4(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 35 at (1)
scipy/integrate/dop/dop853.f:642:72:
642 <span class="pl-k">|</span> 41 ERR=ERR<span class="pl-k">+</span>(ERRI/SK)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 41 at (1)
scipy/integrate/dop/dop853.f:650:72:
650 <span class="pl-k">|</span> 42 ERR=ERR<span class="pl-k">+</span>(ERRI/SK)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 42 at (1)
scipy/integrate/dop/dop853.f:714:72:
714 <span class="pl-k">|</span> <span class="pl-k">&</span> +A1413<span class="pl-k">*</span>K4(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 51 at (1)
scipy/integrate/dop/dop853.f:719:72:
719 <span class="pl-k">|</span> <span class="pl-k">&</span> +A1514<span class="pl-k">*</span>K10(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 52 at (1)
scipy/integrate/dop/dop853.f:724:72:
724 <span class="pl-k">|</span> <span class="pl-k">&</span> +A1615<span class="pl-k">*</span>K2(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 53 at (1)
scipy/integrate/dop/dop853.f:743:72:
743 <span class="pl-k">|</span> 67 Y(I)=K5(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 67 at (1)
scipy/integrate/dop/dop853.f:811:72:
811 <span class="pl-k">|</span> 10 DNY=DNY<span class="pl-k">+</span>(Y(I)/SK)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/dop/dop853.f:816:72:
816 <span class="pl-k">|</span> 11 DNY=DNY<span class="pl-k">+</span>(Y(I)/SK)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 11 at (1)
scipy/integrate/dop/dop853.f:827:72:
827 <span class="pl-k">|</span> 12 Y1(I)=Y(I)+H<span class="pl-k">*</span>F0(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 12 at (1)
scipy/integrate/dop/dop853.f:834:72:
834 <span class="pl-k">|</span> 15 DER2=DER2<span class="pl-k">+</span>((F1(I)-F0(I))/SK)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/dop/dop853.f:838:72:
838 <span class="pl-k">|</span> 16 DER2=DER2<span class="pl-k">+</span>((F1(I)-F0(I))/SK)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 16 at (1)
scipy/integrate/dop/dop853.f:364:42:
364 <span class="pl-k">|</span> <span class="pl-k">&</span> SOLOUT,IOUT,IDID,NMAX,UROUND,METH,NSTIFF,SAFE,BETA,FAC1,FAC2,
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>meth<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/dop/dop853.f:791:38:
791 <span class="pl-k">|</span> FUNCTION HINIT853(N,FCN,X,Y,XEND,POSNEG,F0,F1,Y1,IORD,
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>xend<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/dop/dop853.f:686:0:
686 <span class="pl-k">|</span> NONSTI=NONSTI+1
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>nonsti<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/integrate/dop/dopri5.f
scipy/integrate/dop/dopri5.f:249:72:
249 <span class="pl-k">|</span> 16 IWORK(20+I)=I
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 16 at (1)
scipy/integrate/dop/dopri5.f:422:72:
422 <span class="pl-k">|</span> 22 Y1(I)=Y(I)+H<span class="pl-k">*</span>A21<span class="pl-k">*</span>K1(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 22 at (1)
scipy/integrate/dop/dopri5.f:425:72:
425 <span class="pl-k">|</span> 23 Y1(I)=Y(I)+H<span class="pl-k">*</span>(A31<span class="pl-k">*</span>K1(I)+A32<span class="pl-k">*</span>K2(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 23 at (1)
scipy/integrate/dop/dopri5.f:428:72:
428 <span class="pl-k">|</span> 24 Y1(I)=Y(I)+H<span class="pl-k">*</span>(A41<span class="pl-k">*</span>K1(I)+A42<span class="pl-k">*</span>K2(I)+A43<span class="pl-k">*</span>K3(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 24 at (1)
scipy/integrate/dop/dopri5.f:431:72:
431 <span class="pl-k">|</span> 25 Y1(I)=Y(I)+H<span class="pl-k">*</span>(A51<span class="pl-k">*</span>K1(I)+A52<span class="pl-k">*</span>K2(I)+A53<span class="pl-k">*</span>K3(I)+A54<span class="pl-k">*</span>K4(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 25 at (1)
scipy/integrate/dop/dopri5.f:434:72:
434 <span class="pl-k">|</span> 26 YSTI(I)=Y(I)+H<span class="pl-k">*</span>(A61<span class="pl-k">*</span>K1(I)+A62<span class="pl-k">*</span>K2(I)+A63<span class="pl-k">*</span>K3(I)+A64<span class="pl-k">*</span>K4(I)+A65<span class="pl-k">*</span>K5(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 26 at (1)
scipy/integrate/dop/dopri5.f:438:72:
438 <span class="pl-k">|</span> 27 Y1(I)=Y(I)+H<span class="pl-k">*</span>(A71<span class="pl-k">*</span>K1(I)+A73<span class="pl-k">*</span>K3(I)+A74<span class="pl-k">*</span>K4(I)+A75<span class="pl-k">*</span>K5(I)+A76<span class="pl-k">*</span>K6(I))
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 27 at (1)
scipy/integrate/dop/dopri5.f:448:72:
448 <span class="pl-k">|</span> 28 K4(I)=(E1<span class="pl-k">*</span>K1(I)+E3<span class="pl-k">*</span>K3(I)+E4<span class="pl-k">*</span>K4(I)+E5<span class="pl-k">*</span>K5(I)+E6<span class="pl-k">*</span>K6(I)+E7<span class="pl-k">*</span>K2(I))<span class="pl-k">*</span>H
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 28 at (1)
scipy/integrate/dop/dopri5.f:455:72:
455 <span class="pl-k">|</span> 41 ERR=ERR<span class="pl-k">+</span>(K4(I)/SK)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 41 at (1)
scipy/integrate/dop/dopri5.f:459:72:
459 <span class="pl-k">|</span> 42 ERR=ERR<span class="pl-k">+</span>(K4(I)/SK)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 42 at (1)
scipy/integrate/dop/dopri5.f:509:72:
509 <span class="pl-k">|</span> 44 Y(I)=Y1(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 44 at (1)
scipy/integrate/dop/dopri5.f:578:72:
578 <span class="pl-k">|</span> 10 DNY=DNY<span class="pl-k">+</span>(Y(I)/SK)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 10 at (1)
scipy/integrate/dop/dopri5.f:583:72:
583 <span class="pl-k">|</span> 11 DNY=DNY<span class="pl-k">+</span>(Y(I)/SK)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 11 at (1)
scipy/integrate/dop/dopri5.f:594:72:
594 <span class="pl-k">|</span> 12 Y1(I)=Y(I)+H<span class="pl-k">*</span>F0(I)
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 12 at (1)
scipy/integrate/dop/dopri5.f:601:72:
601 <span class="pl-k">|</span> 15 DER2=DER2<span class="pl-k">+</span>((F1(I)-F0(I))/SK)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 15 at (1)
scipy/integrate/dop/dopri5.f:605:72:
605 <span class="pl-k">|</span> 16 DER2=DER2<span class="pl-k">+</span>((F1(I)-F0(I))/SK)<span class="pl-k">**</span>2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: DO termination statement which is not END DO or CONTINUE with label 16 at (1)
scipy/integrate/dop/dopri5.f:558:35:
558 <span class="pl-k">|</span> FUNCTION HINIT(N,FCN,X,Y,XEND,POSNEG,F0,F1,Y1,IORD,
<span class="pl-k">|</span> 1
Warning: Unused dummy argument <span class="pl-s"><span class="pl-pds">'</span>xend<span class="pl-pds">'</span></span> at (1) [-Wunused-dummy-argument]
scipy/integrate/dop/dopri5.f:491:0:
491 <span class="pl-k">|</span> NONSTI=NONSTI+1
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>nonsti<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
ar: adding 2 object files to build/temp.macosx-10.7-x86_64-3.6/libdop.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libdop.a
building <span class="pl-s"><span class="pl-pds">'</span>fitpack<span class="pl-pds">'</span></span> library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
creating build/temp.macosx-10.7-x86_64-3.6/scipy/interpolate
creating build/temp.macosx-10.7-x86_64-3.6/scipy/interpolate/fitpack
compile options: <span class="pl-s"><span class="pl-pds">'</span>-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c<span class="pl-pds">'</span></span>
gfortran:f77: scipy/interpolate/fitpack/fptrnp.f
scipy/interpolate/fitpack/fptrnp.f:39:72:
39 <span class="pl-k">|</span> <span class="pl-k">do</span> 100 j=1,5
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 100 at (1)
scipy/interpolate/fitpack/fptrnp.f:70:72:
70 <span class="pl-k">|</span> <span class="pl-k">do</span> 400 jj=1,mm
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 400 at (1)
scipy/interpolate/fitpack/fptrnp.f:87:72:
87 <span class="pl-k">|</span> <span class="pl-k">do</span> 500 jj=1,mm
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 500 at (1)
scipy/interpolate/fitpack/fptrnp.f:53:0:
53 <span class="pl-k">|</span> h(j) = b(n1,j)<span class="pl-k">*</span>pinv
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>pinv<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/interpolate/fitpack/fprank.f
scipy/interpolate/fitpack/fprank.f:90:72:
90 <span class="pl-k">|</span> <span class="pl-k">do</span> 100 j=1,m
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 100 at (1)
gfortran:f77: scipy/interpolate/fitpack/fpbspl.f
scipy/interpolate/fitpack/fpbspl.f:31:72:
31 <span class="pl-k">|</span> <span class="pl-k">do</span> 20 i=1,j
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 20 at (1)
gfortran:f77: scipy/interpolate/fitpack/pogrid.f
gfortran:f77: scipy/interpolate/fitpack/fpback.f
gfortran:f77: scipy/interpolate/fitpack/curev.f
gfortran:f77: scipy/interpolate/fitpack/clocur.f
gfortran:f77: scipy/interpolate/fitpack/pardeu.f
gfortran:f77: scipy/interpolate/fitpack/fpseno.f
gfortran:f77: scipy/interpolate/fitpack/fpfrno.f
scipy/interpolate/fitpack/fpfrno.f:42:0:
42 <span class="pl-k">|</span> right(k) = count
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>k<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/interpolate/fitpack/profil.f
gfortran:f77: scipy/interpolate/fitpack/fpbisp.f
gfortran:f77: scipy/interpolate/fitpack/fppocu.f
gfortran:f77: scipy/interpolate/fitpack/curfit.f
gfortran:f77: scipy/interpolate/fitpack/fpcosp.f
scipy/interpolate/fitpack/fpcosp.f:61:72:
61 <span class="pl-k">|</span> <span class="pl-k">do</span> 20 j=1,4
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 20 at (1)
scipy/interpolate/fitpack/fpcosp.f:91:72:
91 <span class="pl-k">|</span> <span class="pl-k">do</span> 60 j3 = j1,l
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 60 at (1)
scipy/interpolate/fitpack/fpcosp.f:157:72:
157 <span class="pl-k">|</span> <span class="pl-k">do</span> 170 j=1,kdim
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 170 at (1)
gfortran:f77: scipy/interpolate/fitpack/fprota.f
gfortran:f77: scipy/interpolate/fitpack/sproot.f
gfortran:f77: scipy/interpolate/fitpack/fpgrre.f
scipy/interpolate/fitpack/fpgrre.f:115:72:
115 <span class="pl-k">|</span> <span class="pl-k">do</span> 140 j=1,kx2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 140 at (1)
scipy/interpolate/fitpack/fpgrre.f:185:72:
185 <span class="pl-k">|</span> <span class="pl-k">do</span> 290 j=1,ky2
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 290 at (1)
scipy/interpolate/fitpack/fpgrre.f:199:0:
199 <span class="pl-k">|</span> h(j) = by(n1,j)<span class="pl-k">*</span>pinv
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>pinv<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/interpolate/fitpack/parder.f
gfortran:f77: scipy/interpolate/fitpack/splder.f
gfortran:f77: scipy/interpolate/fitpack/fpchep.f
gfortran:f77: scipy/interpolate/fitpack/sphere.f
gfortran:f77: scipy/interpolate/fitpack/surfit.f
gfortran:f77: scipy/interpolate/fitpack/fppasu.f
scipy/interpolate/fitpack/fppasu.f:272:33:
272 <span class="pl-k">|</span> if(reducu.gt.acc) npl1 = rn<span class="pl-k">*</span>fpms/reducu
<span class="pl-k">|</span> 1
Warning: Possible change of value <span class="pl-k">in</span> conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fppasu.f:279:33:
279 <span class="pl-k">|</span> if(reducv.gt.acc) npl1 = rn<span class="pl-k">*</span>fpms/reducv
<span class="pl-k">|</span> 1
Warning: Possible change of value <span class="pl-k">in</span> conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fppasu.f:336:0:
336 <span class="pl-k">|</span> f3 = fpms
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>fpms<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fppasu.f:308:13:
308 <span class="pl-k">|</span> if(nv.eq.nve) go to 250
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>nve<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fppasu.f:295:13:
295 <span class="pl-k">|</span> if(nu.eq.nue) go to 250
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>nue<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fppasu.f:251:0:
251 <span class="pl-k">|</span> if(nu.eq.nmaxu .and. nv.eq.nmaxv) go to 430
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>nmaxv<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fppasu.f:251:28:
251 <span class="pl-k">|</span> if(nu.eq.nmaxu .and. nv.eq.nmaxv) go to 430
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>nmaxu<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fppasu.f:367:11:
367 <span class="pl-k">|</span> if<span class="pl-s"><span class="pl-pds">((</span>f<span class="pl-c1">1</span><span class="pl-k">-</span>f<span class="pl-c1">2</span>).gt.acc) go to <span class="pl-c1">330</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppasu.f:<span class="pl-c1">230</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">230</span> | tv(l<span class="pl-c1">2</span>) = tv(l<span class="pl-c1">4</span>)-perv</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'perv' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppasu.f:<span class="pl-c1">209</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">209</span> | tu(l<span class="pl-c1">3</span>) = tu(l<span class="pl-c1">1</span>)+peru</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'peru' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fprati.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpcons.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpcons.f:<span class="pl-c1">131</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">131</span> | do <span class="pl-c1">80</span> j=<span class="pl-c1">1</span>,k<span class="pl-c1">1</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">80</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpcons.f:<span class="pl-c1">321</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">321</span> | do <span class="pl-c1">260</span> j=<span class="pl-c1">1</span>,k<span class="pl-c1">1</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">260</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpcons.f:<span class="pl-c1">224</span>:<span class="pl-c1">35</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">224</span> | if(fpold-fp.gt.acc) npl<span class="pl-c1">1</span> = rn*fpms/(fpold-fp)</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Possible change of value in conversion from REAL(<span class="pl-c1">8</span>) to INTEGER(<span class="pl-c1">4</span>) at (<span class="pl-c1">1</span>) [-Wconversion]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpcons.f:<span class="pl-c1">225</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">225</span> | nplus = min<span class="pl-c1">0</span>(nplus*<span class="pl-c1">2</span>,max<span class="pl-c1">0</span>(npl<span class="pl-c1">1</span>,nplus/<span class="pl-c1">2</span>,<span class="pl-c1">1</span><span class="pl-pds">))</span></span>
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>nplus<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpcons.f:264:13:
264 <span class="pl-k">|</span> if(n.eq.nmax) go to 25
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>nmax<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpcons.f:383:0:
383 <span class="pl-k">|</span> if(u(it).lt.t(l) .or. l.gt.nk1) go to 310
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>nk1<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpcons.f:81:0:
81 <span class="pl-k">|</span> t(i) = u(j)
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>mm<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpcons.f:12:56:
12 <span class="pl-k">|</span> real<span class="pl-k">*</span>8 acc,con1,con4,con9,cos,fac,fpart,fpms,fpold,fp0,f1,f2,f3,
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>fpold<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpcons.f:301:0:
301 <span class="pl-k">|</span> f3 = fpms
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>fpms<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpcons.f:12:60:
12 <span class="pl-k">|</span> real<span class="pl-k">*</span>8 acc,con1,con4,con9,cos,fac,fpart,fpms,fpold,fp0,f1,f2,f3,
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>fp0<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpcons.f:418:11:
418 <span class="pl-k">|</span> if<span class="pl-s"><span class="pl-pds">((</span>f<span class="pl-c1">1</span><span class="pl-k">-</span>f<span class="pl-c1">2</span>).gt.acc) go to <span class="pl-c1">345</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpspgr.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpspgr.f:<span class="pl-c1">315</span>:<span class="pl-c1">33</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">315</span> | if(reducu.gt.acc) npl<span class="pl-c1">1</span> = rn*fpms/reducu</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Possible change of value in conversion from REAL(<span class="pl-c1">8</span>) to INTEGER(<span class="pl-c1">4</span>) at (<span class="pl-c1">1</span>) [-Wconversion]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpspgr.f:<span class="pl-c1">322</span>:<span class="pl-c1">33</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">322</span> | if(reducv.gt.acc) npl<span class="pl-c1">1</span> = rn*fpms/reducv</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Possible change of value in conversion from REAL(<span class="pl-c1">8</span>) to INTEGER(<span class="pl-c1">4</span>) at (<span class="pl-c1">1</span>) [-Wconversion]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpspgr.f:<span class="pl-c1">382</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">382</span> | f<span class="pl-c1">3</span> = fpms</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpspgr.f:<span class="pl-c1">414</span>:<span class="pl-c1">11</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">414</span> | if((f<span class="pl-c1">1</span>-f<span class="pl-c1">2</span>).gt.acc) go to <span class="pl-c1">330</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpspgr.f:<span class="pl-c1">287</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">287</span> | if(nu.eq.numax .and. nv.eq.nvmax) go to <span class="pl-c1">430</span></span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'nvmax' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpspgr.f:<span class="pl-c1">344</span>:<span class="pl-c1">11</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">344</span> | <span class="pl-c1">230</span> if(nv.eq.nve) go to <span class="pl-c1">210</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'nve' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpspgr.f:<span class="pl-c1">287</span>:<span class="pl-c1">28</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">287</span> | if(nu.eq.numax .and. nv.eq.nvmax) go to <span class="pl-c1">430</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'numax' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpspgr.f:<span class="pl-c1">341</span>:<span class="pl-c1">13</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">341</span> | if(nu.eq.nue) go to <span class="pl-c1">270</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'nue' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/splint.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/concur.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fprpsp.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpopdi.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/spalde.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fppogr.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppogr.f:<span class="pl-c1">286</span>:<span class="pl-c1">33</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">286</span> | if(reducu.gt.acc) npl<span class="pl-c1">1</span> = rn*fpms/reducu</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Possible change of value in conversion from REAL(<span class="pl-c1">8</span>) to INTEGER(<span class="pl-c1">4</span>) at (<span class="pl-c1">1</span>) [-Wconversion]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppogr.f:<span class="pl-c1">293</span>:<span class="pl-c1">33</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">293</span> | if(reducv.gt.acc) npl<span class="pl-c1">1</span> = rn*fpms/reducv</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Possible change of value in conversion from REAL(<span class="pl-c1">8</span>) to INTEGER(<span class="pl-c1">4</span>) at (<span class="pl-c1">1</span>) [-Wconversion]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppogr.f:<span class="pl-c1">353</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">353</span> | f<span class="pl-c1">3</span> = fpms</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppogr.f:<span class="pl-c1">385</span>:<span class="pl-c1">11</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">385</span> | if((f<span class="pl-c1">1</span>-f<span class="pl-c1">2</span>).gt.acc) go to <span class="pl-c1">330</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppogr.f:<span class="pl-c1">260</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">260</span> | if(nu.eq.numax .and. nv.eq.nvmax) go to <span class="pl-c1">430</span></span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'nvmax' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppogr.f:<span class="pl-c1">315</span>:<span class="pl-c1">11</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">315</span> | <span class="pl-c1">230</span> if(nv.eq.nve) go to <span class="pl-c1">210</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'nve' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppogr.f:<span class="pl-c1">260</span>:<span class="pl-c1">28</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">260</span> | if(nu.eq.numax .and. nv.eq.nvmax) go to <span class="pl-c1">430</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'numax' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppogr.f:<span class="pl-c1">312</span>:<span class="pl-c1">13</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">312</span> | if(nu.eq.nue) go to <span class="pl-c1">270</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'nue' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpperi.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpperi.f:<span class="pl-c1">172</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">172</span> | do <span class="pl-c1">70</span> j=<span class="pl-c1">1</span>,kk<span class="pl-c1">1</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">70</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpperi.f:<span class="pl-c1">201</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">201</span> | do <span class="pl-c1">95</span> j=<span class="pl-c1">1</span>,kk</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">95</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpperi.f:<span class="pl-c1">445</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">445</span> | do <span class="pl-c1">360</span> j=<span class="pl-c1">1</span>,k</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">360</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpperi.f:<span class="pl-c1">339</span>:<span class="pl-c1">35</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">339</span> | if(fpold-fp.gt.acc) npl<span class="pl-c1">1</span> = rn*fpms/(fpold-fp)</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Possible change of value in conversion from REAL(<span class="pl-c1">8</span>) to INTEGER(<span class="pl-c1">4</span>) at (<span class="pl-c1">1</span>) [-Wconversion]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpperi.f:<span class="pl-c1">340</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">340</span> | nplus = min<span class="pl-c1">0</span>(nplus*<span class="pl-c1">2</span>,max<span class="pl-c1">0</span>(npl<span class="pl-c1">1</span>,nplus/<span class="pl-c1">2</span>,<span class="pl-c1">1</span><span class="pl-pds">))</span></span>
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>nplus<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpperi.f:375:13:
375 <span class="pl-k">|</span> if(n.eq.nmax) go to 5
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>nmax<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpperi.f:468:15:
468 <span class="pl-k">|</span> if(l0.eq.n10) go to 400
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>n10<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpperi.f:266:0:
266 <span class="pl-k">|</span> h1(i1) = 0.
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>i1<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpperi.f:13:43:
13 <span class="pl-k">|</span> real<span class="pl-k">*</span>8 acc,cos,c1,d1,fpart,fpms,fpold,fp0,f1,f2,f3,p,per,pinv,piv,
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>fpold<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpperi.f:409:0:
409 <span class="pl-k">|</span> f3 = fpms
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>fpms<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpperi.f:407:0:
407 <span class="pl-k">|</span> f1 = fp0-s
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>fp0<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpperi.f:574:11:
574 <span class="pl-k">|</span> if<span class="pl-s"><span class="pl-pds">((</span>f<span class="pl-c1">1</span><span class="pl-k">-</span>f<span class="pl-c1">2</span>) .gt. acc) go to <span class="pl-c1">585</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpsurf.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsurf.f:<span class="pl-c1">172</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">172</span> | do <span class="pl-c1">140</span> j=<span class="pl-c1">1</span>,iband</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">140</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsurf.f:<span class="pl-c1">273</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">273</span> | do <span class="pl-c1">290</span> j=<span class="pl-c1">1</span>,iband</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">290</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsurf.f:<span class="pl-c1">447</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">447</span> | do <span class="pl-c1">480</span> j=ibb,iband<span class="pl-c1">4</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">480</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsurf.f:<span class="pl-c1">455</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">455</span> | do <span class="pl-c1">550</span> j=<span class="pl-c1">1</span>,nk<span class="pl-c1">1</span>x</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">550</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsurf.f:<span class="pl-c1">497</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">497</span> | do <span class="pl-c1">630</span> j=<span class="pl-c1">1</span>,nk<span class="pl-c1">1</span>y</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">630</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsurf.f:<span class="pl-c1">642</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">642</span> | do <span class="pl-c1">840</span> j=<span class="pl-c1">1</span>,nk<span class="pl-c1">1</span>y</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">840</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsurf.f:<span class="pl-c1">427</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">427</span> | do <span class="pl-c1">460</span> i=<span class="pl-c1">1</span>,ncof</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'ncof' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsurf.f:<span class="pl-c1">22</span>:<span class="pl-c1">43</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">22</span> | * nrint,num,num<span class="pl-c1">1</span>,nx,nxe,nxx,ny,nye,nyy,n<span class="pl-c1">1</span>,rank</span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'nyy' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsurf.f:<span class="pl-c1">621</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">621</span> | <span class="pl-c1">780</span> ier = lwest</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'lwest' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsurf.f:<span class="pl-c1">471</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">471</span> | i<span class="pl-c1">2</span> = min<span class="pl-c1">0</span>(iband<span class="pl-c1">1</span>,ncof-irot)</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'iband<span class="pl-c1">1</span>' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsurf.f:<span class="pl-c1">425</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">425</span> | f<span class="pl-c1">3</span> = fpms</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsurf.f:<span class="pl-c1">605</span>:<span class="pl-c1">11</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">605</span> | if((f<span class="pl-c1">1</span>-f<span class="pl-c1">2</span>).gt.acc) go to <span class="pl-c1">750</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/dblint.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpinst.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/cualde.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpgrsp.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpgrsp.f:<span class="pl-c1">255</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">255</span> | do <span class="pl-c1">240</span> j=<span class="pl-c1">1</span>,<span class="pl-c1">5</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">240</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpgrsp.f:<span class="pl-c1">372</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">372</span> | do <span class="pl-c1">440</span> j=<span class="pl-c1">1</span>,<span class="pl-c1">4</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">440</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpgrsp.f:<span class="pl-c1">17</span>:<span class="pl-c1">68</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">17</span> | real*<span class="pl-c1">8</span> arg,co,dr<span class="pl-c1">01</span>,dr<span class="pl-c1">02</span>,dr<span class="pl-c1">03</span>,dr<span class="pl-c1">11</span>,dr<span class="pl-c1">12</span>,dr<span class="pl-c1">13</span>,fac,fac<span class="pl-c1">0</span>,fac<span class="pl-c1">1</span>,pinv,piv</span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'pinv' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpbacp.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpclos.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpclos.f:<span class="pl-c1">200</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">200</span> | do <span class="pl-c1">70</span> j=<span class="pl-c1">1</span>,kk<span class="pl-c1">1</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">70</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpclos.f:<span class="pl-c1">233</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">233</span> | do <span class="pl-c1">95</span> j=<span class="pl-c1">1</span>,kk</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">95</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpclos.f:<span class="pl-c1">510</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">510</span> | do <span class="pl-c1">360</span> j=<span class="pl-c1">1</span>,k</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">360</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpclos.f:<span class="pl-c1">395</span>:<span class="pl-c1">35</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">395</span> | if(fpold-fp.gt.acc) npl<span class="pl-c1">1</span> = rn*fpms/(fpold-fp)</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Possible change of value in conversion from REAL(<span class="pl-c1">8</span>) to INTEGER(<span class="pl-c1">4</span>) at (<span class="pl-c1">1</span>) [-Wconversion]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpclos.f:<span class="pl-c1">396</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">396</span> | nplus = min<span class="pl-c1">0</span>(nplus*<span class="pl-c1">2</span>,max<span class="pl-c1">0</span>(npl<span class="pl-c1">1</span>,nplus/<span class="pl-c1">2</span>,<span class="pl-c1">1</span><span class="pl-pds">))</span></span>
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>nplus<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpclos.f:438:13:
438 <span class="pl-k">|</span> if(n.eq.nmax) go to 5
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>nmax<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpclos.f:535:15:
535 <span class="pl-k">|</span> if(l0.eq.n10) go to 400
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>n10<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpclos.f:302:0:
302 <span class="pl-k">|</span> h1(i1) = 0.
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>i1<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpclos.f:13:44:
13 <span class="pl-k">|</span> real<span class="pl-k">*</span>8 acc,cos,d1,fac,fpart,fpms,fpold,fp0,f1,f2,f3,p,per,pinv,piv
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>fpold<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpclos.f:472:0:
472 <span class="pl-k">|</span> f3 = fpms
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>fpms<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpclos.f:470:0:
470 <span class="pl-k">|</span> f1 = fp0-s
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>fp0<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpclos.f:663:11:
663 <span class="pl-k">|</span> if<span class="pl-s"><span class="pl-pds">((</span>f<span class="pl-c1">1</span><span class="pl-k">-</span>f<span class="pl-c1">2</span>) .gt. acc) go to <span class="pl-c1">585</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpregr.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpregr.f:<span class="pl-c1">246</span>:<span class="pl-c1">33</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">246</span> | if(reducx.gt.acc) npl<span class="pl-c1">1</span> = rn*fpms/reducx</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Possible change of value in conversion from REAL(<span class="pl-c1">8</span>) to INTEGER(<span class="pl-c1">4</span>) at (<span class="pl-c1">1</span>) [-Wconversion]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpregr.f:<span class="pl-c1">253</span>:<span class="pl-c1">33</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">253</span> | if(reducy.gt.acc) npl<span class="pl-c1">1</span> = rn*fpms/reducy</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Possible change of value in conversion from REAL(<span class="pl-c1">8</span>) to INTEGER(<span class="pl-c1">4</span>) at (<span class="pl-c1">1</span>) [-Wconversion]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpregr.f:<span class="pl-c1">310</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">310</span> | f<span class="pl-c1">3</span> = fpms</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpregr.f:<span class="pl-c1">282</span>:<span class="pl-c1">13</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">282</span> | if(ny.eq.nye) go to <span class="pl-c1">250</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'nye' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpregr.f:<span class="pl-c1">269</span>:<span class="pl-c1">13</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">269</span> | if(nx.eq.nxe) go to <span class="pl-c1">250</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'nxe' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpregr.f:<span class="pl-c1">225</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">225</span> | if(nx.eq.nmaxx .and. ny.eq.nmaxy) go to <span class="pl-c1">430</span></span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'nmaxy' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpregr.f:<span class="pl-c1">225</span>:<span class="pl-c1">28</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">225</span> | if(nx.eq.nmaxx .and. ny.eq.nmaxy) go to <span class="pl-c1">430</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'nmaxx' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpregr.f:<span class="pl-c1">341</span>:<span class="pl-c1">11</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">341</span> | if((f<span class="pl-c1">1</span>-f<span class="pl-c1">2</span>).gt.acc) go to <span class="pl-c1">330</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpadno.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpcsin.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/spgrid.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpcuro.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/concon.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpbfout.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpbfout.f:<span class="pl-c1">76</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">76</span> | do <span class="pl-c1">20</span> ll=i,<span class="pl-c1">4</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">20</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpbfout.f:<span class="pl-c1">108</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">108</span> | do <span class="pl-c1">50</span> ll=jj,<span class="pl-c1">4</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">50</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpbfout.f:<span class="pl-c1">185</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">185</span> | do <span class="pl-c1">180</span> ll=i,<span class="pl-c1">4</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">180</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpbfout.f:<span class="pl-c1">117</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">117</span> | c<span class="pl-c1">2</span> = (hc(<span class="pl-c1">5</span>)-hc(<span class="pl-c1">4</span><span class="pl-pds">))</span></span><span class="pl-k">*</span>term
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>term<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/interpolate/fitpack/evapol.f
gfortran:f77: scipy/interpolate/fitpack/fpcyt1.f
gfortran:f77: scipy/interpolate/fitpack/fpdisc.f
gfortran:f77: scipy/interpolate/fitpack/surev.f
gfortran:f77: scipy/interpolate/fitpack/fpsuev.f
gfortran:f77: scipy/interpolate/fitpack/fpchec.f
gfortran:f77: scipy/interpolate/fitpack/fpintb.f
scipy/interpolate/fitpack/fpintb.f:91:72:
91 <span class="pl-k">|</span> <span class="pl-k">do</span> 70 i=1,j1
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 70 at (1)
scipy/interpolate/fitpack/fpintb.f:115:9:
115 <span class="pl-k">|</span> if(ib.lt.ia) go to 130
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>ia<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/interpolate/fitpack/insert.f
gfortran:f77: scipy/interpolate/fitpack/bispeu.f
gfortran:f77: scipy/interpolate/fitpack/fptrpe.f
scipy/interpolate/fitpack/fptrpe.f:51:72:
51 <span class="pl-k">|</span> <span class="pl-k">do</span> 100 j=1,4
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 100 at (1)
scipy/interpolate/fitpack/fptrpe.f:80:72:
80 <span class="pl-k">|</span> <span class="pl-k">do</span> 220 jj=1,mm
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 220 at (1)
scipy/interpolate/fitpack/fptrpe.f:135:72:
135 <span class="pl-k">|</span> <span class="pl-k">do</span> 440 jj=1,mm
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 440 at (1)
scipy/interpolate/fitpack/fptrpe.f:167:72:
167 <span class="pl-k">|</span> <span class="pl-k">do</span> 580 jj=1,mm
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 580 at (1)
scipy/interpolate/fitpack/fptrpe.f:193:72:
193 <span class="pl-k">|</span> <span class="pl-k">do</span> 660 jj=1,mm
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 660 at (1)
scipy/interpolate/fitpack/fptrpe.f:64:0:
64 <span class="pl-k">|</span> h(j) = b(n1,j)<span class="pl-k">*</span>pinv
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>pinv<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/interpolate/fitpack/fpadpo.f
gfortran:f77: scipy/interpolate/fitpack/fpknot.f
scipy/interpolate/fitpack/fpknot.f:41:0:
41 <span class="pl-k">|</span> ihalf = maxpt/2+1
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>maxpt<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpknot.f:42:0:
42 <span class="pl-k">|</span> nrx = maxbeg+ihalf
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>maxbeg<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpknot.f:43:0:
43 <span class="pl-k">|</span> next = number+1
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>number<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
gfortran:f77: scipy/interpolate/fitpack/fpcurf.f
scipy/interpolate/fitpack/fpcurf.f:119:72:
119 <span class="pl-k">|</span> <span class="pl-k">do</span> 80 j=1,k1
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 80 at (1)
scipy/interpolate/fitpack/fpcurf.f:274:72:
274 <span class="pl-k">|</span> <span class="pl-k">do</span> 260 j=1,k1
<span class="pl-k">|</span> 1
Warning: Fortran 2018 deleted feature: Shared DO termination label 260 at (1)
scipy/interpolate/fitpack/fpcurf.f:186:35:
186 <span class="pl-k">|</span> if(fpold-fp.gt.acc) npl1 = rn<span class="pl-k">*</span>fpms/(fpold-fp)
<span class="pl-k">|</span> 1
Warning: Possible change of value <span class="pl-k">in</span> conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/interpolate/fitpack/fpcurf.f:187:0:
187 <span class="pl-k">|</span> nplus = min0(nplus<span class="pl-k">*</span>2,max0(npl1,nplus/2,1))
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>nplus<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpcurf.f:219:13:
219 <span class="pl-k">|</span> if(n.eq.nmax) go to 10
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>nmax<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpcurf.f:12:57:
12 <span class="pl-k">|</span> real<span class="pl-k">*</span>8 acc,con1,con4,con9,cos,half,fpart,fpms,fpold,fp0,f1,f2,f3,
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>fpold<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpcurf.f:256:0:
256 <span class="pl-k">|</span> f3 = fpms
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>fpms<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpcurf.f:12:61:
12 <span class="pl-k">|</span> real<span class="pl-k">*</span>8 acc,con1,con4,con9,cos,half,fpart,fpms,fpold,fp0,f1,f2,f3,
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>fp0<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fpcurf.f:335:11:
335 <span class="pl-k">|</span> if<span class="pl-s"><span class="pl-pds">((</span>f<span class="pl-c1">1</span><span class="pl-k">-</span>f<span class="pl-c1">2</span>).gt.acc) go to <span class="pl-c1">345</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fourco.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/percur.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpsphe.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsphe.f:<span class="pl-c1">165</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">165</span> | do <span class="pl-c1">100</span> j=<span class="pl-c1">1</span>,npp</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">100</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsphe.f:<span class="pl-c1">216</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">216</span> | do <span class="pl-c1">160</span> j=<span class="pl-c1">1</span>,iband</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">160</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsphe.f:<span class="pl-c1">357</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">357</span> | do <span class="pl-c1">380</span> j=<span class="pl-c1">1</span>,iband</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">380</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsphe.f:<span class="pl-c1">532</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">532</span> | do <span class="pl-c1">600</span> j=<span class="pl-c1">1</span>,iband</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">600</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsphe.f:<span class="pl-c1">555</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">555</span> | do <span class="pl-c1">720</span> j=<span class="pl-c1">1</span>,nt<span class="pl-c1">6</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">720</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsphe.f:<span class="pl-c1">603</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">603</span> | do <span class="pl-c1">810</span> j=<span class="pl-c1">1</span>,npp</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">810</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsphe.f:<span class="pl-c1">512</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">512</span> | do <span class="pl-c1">585</span> i=<span class="pl-c1">1</span>,ncof</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'ncof' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsphe.f:<span class="pl-c1">519</span>:<span class="pl-c1">9</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">519</span> | if(ntt.le.<span class="pl-c1">4</span>) iband<span class="pl-c1">4</span> = ncof</span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'ntt' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsphe.f:<span class="pl-c1">746</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">746</span> | <span class="pl-c1">925</span> ier = lwest</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'lwest' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsphe.f:<span class="pl-c1">578</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">578</span> | i<span class="pl-c1">2</span> = min<span class="pl-c1">0</span>(iband<span class="pl-c1">1</span>,ncof-irot)</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'iband<span class="pl-c1">1</span>' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsphe.f:<span class="pl-c1">510</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">510</span> | f<span class="pl-c1">3</span> = fpms</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpsphe.f:<span class="pl-c1">730</span>:<span class="pl-c1">11</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">730</span> | if((f<span class="pl-c1">1</span>-f<span class="pl-c1">2</span>).gt.acc) go to <span class="pl-c1">905</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpcyt<span class="pl-c1">2</span>.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpsysy.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpdeno.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/parsur.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpcoco.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fppara.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppara.f:<span class="pl-c1">121</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">121</span> | do <span class="pl-c1">80</span> j=<span class="pl-c1">1</span>,k<span class="pl-c1">1</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">80</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppara.f:<span class="pl-c1">299</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">299</span> | do <span class="pl-c1">260</span> j=<span class="pl-c1">1</span>,k<span class="pl-c1">1</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">260</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppara.f:<span class="pl-c1">202</span>:<span class="pl-c1">35</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">202</span> | if(fpold-fp.gt.acc) npl<span class="pl-c1">1</span> = rn*fpms/(fpold-fp)</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Possible change of value in conversion from REAL(<span class="pl-c1">8</span>) to INTEGER(<span class="pl-c1">4</span>) at (<span class="pl-c1">1</span>) [-Wconversion]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppara.f:<span class="pl-c1">203</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">203</span> | nplus = min<span class="pl-c1">0</span>(nplus*<span class="pl-c1">2</span>,max<span class="pl-c1">0</span>(npl<span class="pl-c1">1</span>,nplus/<span class="pl-c1">2</span>,<span class="pl-c1">1</span><span class="pl-pds">))</span></span>
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>nplus<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fppara.f:242:13:
242 <span class="pl-k">|</span> if(n.eq.nmax) go to 10
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>nmax<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fppara.f:12:56:
12 <span class="pl-k">|</span> real<span class="pl-k">*</span>8 acc,con1,con4,con9,cos,fac,fpart,fpms,fpold,fp0,f1,f2,f3,
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>fpold<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fppara.f:279:0:
279 <span class="pl-k">|</span> f3 = fpms
<span class="pl-k">|</span>
Warning: <span class="pl-s"><span class="pl-pds">'</span>fpms<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fppara.f:12:60:
12 <span class="pl-k">|</span> real<span class="pl-k">*</span>8 acc,con1,con4,con9,cos,fac,fpart,fpms,fpold,fp0,f1,f2,f3,
<span class="pl-k">|</span> ^
Warning: <span class="pl-s"><span class="pl-pds">'</span>fp0<span class="pl-pds">'</span></span> may be used uninitialized <span class="pl-k">in</span> this <span class="pl-k">function</span> <span class="pl-en">[-Wmaybe-uninitialized]</span>
scipy/interpolate/fitpack/fppara.f:378:11:
378 <span class="pl-k">|</span> if<span class="pl-s"><span class="pl-pds">((</span>f<span class="pl-c1">1</span><span class="pl-k">-</span>f<span class="pl-c1">2</span>).gt.acc) go to <span class="pl-c1">345</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpopsp.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/bispev.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpgivs.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fporde.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpgrdi.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpgrdi.f:<span class="pl-c1">219</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">219</span> | do <span class="pl-c1">240</span> j=<span class="pl-c1">1</span>,<span class="pl-c1">5</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">240</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpgrdi.f:<span class="pl-c1">319</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">319</span> | do <span class="pl-c1">440</span> j=<span class="pl-c1">1</span>,<span class="pl-c1">4</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">440</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpgrdi.f:<span class="pl-c1">16</span>:<span class="pl-c1">45</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">16</span> | real*<span class="pl-c1">8</span> arg,co,dz<span class="pl-c1">1</span>,dz<span class="pl-c1">2</span>,dz<span class="pl-c1">3</span>,fac,fac<span class="pl-c1">0</span>,pinv,piv,si,term,one,three,half</span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'pinv' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpgrpa.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpgrpa.f:<span class="pl-c1">158</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">158</span> | do <span class="pl-c1">220</span> i=<span class="pl-c1">1</span>,nuu</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">220</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpgrpa.f:<span class="pl-c1">164</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">164</span> | do <span class="pl-c1">260</span> i=<span class="pl-c1">1</span>,nuu</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">260</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpgrpa.f:<span class="pl-c1">172</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">172</span> | do <span class="pl-c1">360</span> j=<span class="pl-c1">1</span>,nvv</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">360</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpgrpa.f:<span class="pl-c1">189</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">189</span> | do <span class="pl-c1">460</span> j=<span class="pl-c1">1</span>,nvv</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">460</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpgrpa.f:<span class="pl-c1">209</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">209</span> | do <span class="pl-c1">560</span> l=<span class="pl-c1">1</span>,nuu</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">560</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/cocosp.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpched.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/polar.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/parcur.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fpader.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fpader.f:<span class="pl-c1">45</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">45</span> | do <span class="pl-c1">500</span> j<span class="pl-c1">2</span>=jj,k<span class="pl-c1">1</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">500</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fprppo.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fprppo.f:<span class="pl-c1">12</span>:<span class="pl-c1">25</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">12</span> | integer i,iopt,ii,j,k,l,nu<span class="pl-c1">4</span>,nvv</span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'j' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/splev.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/regrid.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/interpolate/fitpack/fppola.f</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">68</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">68</span> | do <span class="pl-c1">20</span> j=<span class="pl-c1">1</span>,<span class="pl-c1">4</span></span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">20</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">198</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">198</span> | do <span class="pl-c1">140</span> j=<span class="pl-c1">1</span>,nvv</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">140</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">263</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">263</span> | do <span class="pl-c1">200</span> j=<span class="pl-c1">1</span>,iband</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">200</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">319</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">319</span> | do <span class="pl-c1">270</span> i=<span class="pl-c1">1</span>,nvv</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">270</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">407</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">407</span> | do <span class="pl-c1">420</span> j=<span class="pl-c1">1</span>,iband</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">420</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">588</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">588</span> | do <span class="pl-c1">630</span> j=<span class="pl-c1">1</span>,iband</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">630</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">604</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">604</span> | do <span class="pl-c1">720</span> j=<span class="pl-c1">1</span>,nuu</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">720</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">615</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">615</span> | do <span class="pl-c1">650</span> l=<span class="pl-c1">1</span>,nvv</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">650</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">624</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">624</span> | do <span class="pl-c1">660</span> l=<span class="pl-c1">1</span>,nvv</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">660</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">670</span>:<span class="pl-c1">72</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">670</span> | do <span class="pl-c1">810</span> j=<span class="pl-c1">1</span>,nvv</span>
<span class="pl-s"> | <span class="pl-c1">1</span></span>
<span class="pl-s"> Warning: Fortran <span class="pl-c1">2018</span> deleted feature: Shared DO termination label <span class="pl-c1">810</span> at (<span class="pl-c1">1</span>)</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">567</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">567</span> | do <span class="pl-c1">590</span> i=<span class="pl-c1">1</span>,ncof</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'ncof' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">680</span>:<span class="pl-c1">33</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">680</span> | if(il.eq.nu<span class="pl-c1">4</span> .and. iopt<span class="pl-c1">3</span>.ne.<span class="pl-c1">0</span>) go to <span class="pl-c1">760</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'nu<span class="pl-c1">4</span>' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">821</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">821</span> | <span class="pl-c1">925</span> ier = lwest</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'lwest' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">645</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">645</span> | i<span class="pl-c1">2</span> = min<span class="pl-c1">0</span>(iband<span class="pl-c1">1</span>,ncof-irot)</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'iband<span class="pl-c1">1</span>' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">565</span>:<span class="pl-c1">0</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">565</span> | f<span class="pl-c1">3</span> = fpms</span>
<span class="pl-s"> |</span>
<span class="pl-s"> Warning: 'fpms' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> scipy/interpolate/fitpack/fppola.f:<span class="pl-c1">805</span>:<span class="pl-c1">11</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">805</span> | if((f<span class="pl-c1">1</span>-f<span class="pl-c1">2</span>).gt.acc) go to <span class="pl-c1">905</span></span>
<span class="pl-s"> | ^</span>
<span class="pl-s"> Warning: 'acc' may be used uninitialized in this function [-Wmaybe-uninitialized]</span>
<span class="pl-s"> ar: adding <span class="pl-c1">50</span> object files to build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/libfitpack.a</span>
<span class="pl-s"> ar: adding <span class="pl-c1">35</span> object files to build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/libfitpack.a</span>
<span class="pl-s"> ranlib:@ build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/libfitpack.a</span>
<span class="pl-s"> building 'fwrappers' library</span>
<span class="pl-s"> compiling Fortran sources</span>
<span class="pl-s"> Fortran f<span class="pl-c1">77</span> compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O<span class="pl-c1">3</span> -funroll-loops</span>
<span class="pl-s"> Fortran f<span class="pl-c1">90</span> compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O<span class="pl-c1">3</span> -funroll-loops</span>
<span class="pl-s"> Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O<span class="pl-c1">3</span> -funroll-loops</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/scipy/linalg</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/private</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/private/var</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/private/var/folders</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/private/var/folders/<span class="pl-c1">4</span>m</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/private/var/folders/<span class="pl-c1">4</span>m/<span class="pl-c1">553</span>gg<span class="pl-c1">3</span>w<span class="pl-c1">14</span>qzds<span class="pl-c1">7</span>sskm<span class="pl-c1">8</span>kmswr<span class="pl-c1">0000</span>gn</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/private/var/folders/<span class="pl-c1">4</span>m/<span class="pl-c1">553</span>gg<span class="pl-c1">3</span>w<span class="pl-c1">14</span>qzds<span class="pl-c1">7</span>sskm<span class="pl-c1">8</span>kmswr<span class="pl-c1">0000</span>gn/T</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/private/var/folders/<span class="pl-c1">4</span>m/<span class="pl-c1">553</span>gg<span class="pl-c1">3</span>w<span class="pl-c1">14</span>qzds<span class="pl-c1">7</span>sskm<span class="pl-c1">8</span>kmswr<span class="pl-c1">0000</span>gn/T/pip-install-kld<span class="pl-c1">1</span>p<span class="pl-c1">4</span>qg</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/private/var/folders/<span class="pl-c1">4</span>m/<span class="pl-c1">553</span>gg<span class="pl-c1">3</span>w<span class="pl-c1">14</span>qzds<span class="pl-c1">7</span>sskm<span class="pl-c1">8</span>kmswr<span class="pl-c1">0000</span>gn/T/pip-install-kld<span class="pl-c1">1</span>p<span class="pl-c1">4</span>qg/scipy</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/private/var/folders/<span class="pl-c1">4</span>m/<span class="pl-c1">553</span>gg<span class="pl-c1">3</span>w<span class="pl-c1">14</span>qzds<span class="pl-c1">7</span>sskm<span class="pl-c1">8</span>kmswr<span class="pl-c1">0000</span>gn/T/pip-install-kld<span class="pl-c1">1</span>p<span class="pl-c1">4</span>qg/scipy/scipy</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/private/var/folders/<span class="pl-c1">4</span>m/<span class="pl-c1">553</span>gg<span class="pl-c1">3</span>w<span class="pl-c1">14</span>qzds<span class="pl-c1">7</span>sskm<span class="pl-c1">8</span>kmswr<span class="pl-c1">0000</span>gn/T/pip-install-kld<span class="pl-c1">1</span>p<span class="pl-c1">4</span>qg/scipy/scipy/_build_utils</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/private/var/folders/<span class="pl-c1">4</span>m/<span class="pl-c1">553</span>gg<span class="pl-c1">3</span>w<span class="pl-c1">14</span>qzds<span class="pl-c1">7</span>sskm<span class="pl-c1">8</span>kmswr<span class="pl-c1">0000</span>gn/T/pip-install-kld<span class="pl-c1">1</span>p<span class="pl-c1">4</span>qg/scipy/scipy/_build_utils/src</span>
<span class="pl-s"> compile options: '-I/private/var/folders/<span class="pl-c1">4</span>m/<span class="pl-c1">553</span>gg<span class="pl-c1">3</span>w<span class="pl-c1">14</span>qzds<span class="pl-c1">7</span>sskm<span class="pl-c1">8</span>kmswr<span class="pl-c1">0000</span>gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -I/usr/local/Cellar/pypy<span class="pl-c1">3</span>/<span class="pl-c1">7</span>.<span class="pl-c1">3</span>.<span class="pl-c1">1</span>_<span class="pl-c1">1</span>/libexec/include -I/usr/local/Cellar/pypy<span class="pl-c1">3</span>/<span class="pl-c1">7</span>.<span class="pl-c1">3</span>.<span class="pl-c1">1</span>_<span class="pl-c1">1</span>/libexec/include/include -I/usr/local/Cellar/pypy<span class="pl-c1">3</span>/<span class="pl-c1">7</span>.<span class="pl-c1">3</span>.<span class="pl-c1">1</span>_<span class="pl-c1">1</span>/libexec/include -I/private/var/folders/<span class="pl-c1">4</span>m/<span class="pl-c1">553</span>gg<span class="pl-c1">3</span>w<span class="pl-c1">14</span>qzds<span class="pl-c1">7</span>sskm<span class="pl-c1">8</span>kmswr<span class="pl-c1">0000</span>gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/linalg/_blas_subroutine_wrappers.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/linalg/_lapack_subroutine_wrappers.f</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: /private/var/folders/<span class="pl-c1">4</span>m/<span class="pl-c1">553</span>gg<span class="pl-c1">3</span>w<span class="pl-c1">14</span>qzds<span class="pl-c1">7</span>sskm<span class="pl-c1">8</span>kmswr<span class="pl-c1">0000</span>gn/T/pip-install-kld<span class="pl-c1">1</span>p<span class="pl-c1">4</span>qg/scipy/scipy/_build_utils/src/wrap_dummy_g<span class="pl-c1">77</span>_abi.f</span>
<span class="pl-s"> ar: adding <span class="pl-c1">3</span> object files to build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/libfwrappers.a</span>
<span class="pl-s"> ranlib:@ build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/libfwrappers.a</span>
<span class="pl-s"> building 'odrpack' library</span>
<span class="pl-s"> compiling Fortran sources</span>
<span class="pl-s"> Fortran f<span class="pl-c1">77</span> compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O<span class="pl-c1">3</span> -funroll-loops</span>
<span class="pl-s"> Fortran f<span class="pl-c1">90</span> compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O<span class="pl-c1">3</span> -funroll-loops</span>
<span class="pl-s"> Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O<span class="pl-c1">3</span> -funroll-loops</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/scipy/odr</span>
<span class="pl-s"> creating build/temp.macosx-<span class="pl-c1">10</span>.<span class="pl-c1">7</span>-x<span class="pl-c1">86</span>_<span class="pl-c1">64</span>-<span class="pl-c1">3</span>.<span class="pl-c1">6</span>/scipy/odr/odrpack</span>
<span class="pl-s"> compile options: '-I/private/var/folders/<span class="pl-c1">4</span>m/<span class="pl-c1">553</span>gg<span class="pl-c1">3</span>w<span class="pl-c1">14</span>qzds<span class="pl-c1">7</span>sskm<span class="pl-c1">8</span>kmswr<span class="pl-c1">0000</span>gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c'</span>
<span class="pl-s"> gfortran:f<span class="pl-c1">77</span>: scipy/odr/odrpack/d_odr.f</span>
<span class="pl-s"> scipy/odr/odrpack/d_odr.f:<span class="pl-c1">1014</span>:<span class="pl-c1">13</span>:</span>
<span class="pl-s"></span>
<span class="pl-s"> <span class="pl-c1">1014</span> | NETA = MAX(TWO,P<span class="pl-c1">5</span>-LOG<span class="pl-c1">10</span>(ETA<span class="pl-pds">))</span></span>
<span class="pl-k">|</span> 1
Warning: Possible change of value <span class="pl-k">in</span> conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/odr/odrpack/d_odr.f:2955:13:
2955 <span class="pl-k">|</span> NTOL = MAX(ONE,P5-LOG10(TOL))
<span class="pl-k">|</span> 1
Warning: Possible change of value <span class="pl-k">in</span> conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
scipy/odr/odrpack/d_odr.f:6032:16:
6032 <span class="pl-k">|</span> J = WORK(WRK3+I) - 1
<span class="pl-k">|</span> 1
Warning: Possible change of value <span class="pl-k">in</span> conversion from REAL(8) to INTEGER(4) at (1) [-Wconversion]
gfortran:f77: scipy/odr/odrpack/d_mprec.f
gfortran:f77: scipy/odr/odrpack/dlunoc.f
gfortran:f77: scipy/odr/odrpack/d_lpk.f
ar: adding 4 object files to build/temp.macosx-10.7-x86_64-3.6/libodrpack.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libodrpack.a
building <span class="pl-s"><span class="pl-pds">'</span>minpack<span class="pl-pds">'</span></span> library
compiling Fortran sources
Fortran f77 compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran f90 compiler: /usr/local/bin/gfortran -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
Fortran fix compiler: /usr/local/bin/gfortran -Wall -g -ffixed-form -fno-second-underscore -Wall -g -fno-second-underscore -fPIC -O3 -funroll-loops
creating build/temp.macosx-10.7-x86_64-3.6/scipy/optimize
creating build/temp.macosx-10.7-x86_64-3.6/scipy/optimize/minpack
compile options: <span class="pl-s"><span class="pl-pds">'</span>-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c<span class="pl-pds">'</span></span>
gfortran:f77: scipy/optimize/minpack/rwupdt.f
gfortran:f77: scipy/optimize/minpack/qform.f
gfortran:f77: scipy/optimize/minpack/chkder.f
gfortran:f77: scipy/optimize/minpack/dogleg.f
gfortran:f77: scipy/optimize/minpack/hybrj1.f
gfortran:f77: scipy/optimize/minpack/fdjac1.f
gfortran:f77: scipy/optimize/minpack/r1updt.f
gfortran:f77: scipy/optimize/minpack/enorm.f
gfortran:f77: scipy/optimize/minpack/lmstr.f
gfortran:f77: scipy/optimize/minpack/hybrd1.f
gfortran:f77: scipy/optimize/minpack/qrsolv.f
gfortran:f77: scipy/optimize/minpack/fdjac2.f
gfortran:f77: scipy/optimize/minpack/lmstr1.f
gfortran:f77: scipy/optimize/minpack/lmder1.f
gfortran:f77: scipy/optimize/minpack/qrfac.f
gfortran:f77: scipy/optimize/minpack/lmder.f
gfortran:f77: scipy/optimize/minpack/lmpar.f
gfortran:f77: scipy/optimize/minpack/lmdif.f
gfortran:f77: scipy/optimize/minpack/r1mpyq.f
gfortran:f77: scipy/optimize/minpack/dpmpar.f
gfortran:f77: scipy/optimize/minpack/hybrd.f
gfortran:f77: scipy/optimize/minpack/lmdif1.f
gfortran:f77: scipy/optimize/minpack/hybrj.f
ar: adding 23 object files to build/temp.macosx-10.7-x86_64-3.6/libminpack.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/libminpack.a
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/var
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/var/folders
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/var/folders/4m
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4
compile options: <span class="pl-s"><span class="pl-pds">'</span>-c<span class="pl-pds">'</span></span>
extra options: <span class="pl-s"><span class="pl-pds">'</span>-std=c++14<span class="pl-pds">'</span></span>
gcc: /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmpy3rl78x4/main.c
error: invalid argument <span class="pl-s"><span class="pl-pds">'</span>-std=c++14<span class="pl-pds">'</span></span> not allowed with <span class="pl-s"><span class="pl-pds">'</span>C<span class="pl-pds">'</span></span>
error: invalid argument <span class="pl-s"><span class="pl-pds">'</span>-std=c++14<span class="pl-pds">'</span></span> not allowed with <span class="pl-s"><span class="pl-pds">'</span>C<span class="pl-pds">'</span></span>
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/var
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/var/folders
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/var/folders/4m
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed
compile options: <span class="pl-s"><span class="pl-pds">'</span>-c<span class="pl-pds">'</span></span>
extra options: <span class="pl-s"><span class="pl-pds">'</span>-std=c++11<span class="pl-pds">'</span></span>
gcc: /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmp_z_oa3ed/main.c
error: invalid argument <span class="pl-s"><span class="pl-pds">'</span>-std=c++11<span class="pl-pds">'</span></span> not allowed with <span class="pl-s"><span class="pl-pds">'</span>C<span class="pl-pds">'</span></span>
error: invalid argument <span class="pl-s"><span class="pl-pds">'</span>-std=c++11<span class="pl-pds">'</span></span> not allowed with <span class="pl-s"><span class="pl-pds">'</span>C<span class="pl-pds">'</span></span>
Could not detect c++ standard flag
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/var
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/var/folders
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/var/folders/4m
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T
creating /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8
compile options: <span class="pl-s"><span class="pl-pds">'</span>-c<span class="pl-pds">'</span></span>
extra options: <span class="pl-s"><span class="pl-pds">'</span>-mmacosx-version-min=10.9<span class="pl-pds">'</span></span>
gcc: /var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/tmptk73bfx8/main.c
building <span class="pl-s"><span class="pl-pds">'</span>rectangular_lsap<span class="pl-pds">'</span></span> library
compiling C++ sources
C compiler: g++ -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating build/temp.macosx-10.7-x86_64-3.6/scipy/optimize/rectangular_lsap
compile options: <span class="pl-s"><span class="pl-pds">'</span>-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c<span class="pl-pds">'</span></span>
extra options: <span class="pl-s"><span class="pl-pds">'</span>-mmacosx-version-min=10.9<span class="pl-pds">'</span></span>
g++: scipy/optimize/rectangular_lsap/rectangular_lsap.cpp
ar: adding 1 object files to build/temp.macosx-10.7-x86_64-3.6/librectangular_lsap.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/librectangular_lsap.a
building <span class="pl-s"><span class="pl-pds">'</span>rootfind<span class="pl-pds">'</span></span> library
compiling C sources
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating build/temp.macosx-10.7-x86_64-3.6/scipy/optimize/Zeros
compile options: <span class="pl-s"><span class="pl-pds">'</span>-I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c<span class="pl-pds">'</span></span>
gcc: scipy/optimize/Zeros/bisect.c
gcc: scipy/optimize/Zeros/brenth.c
gcc: scipy/optimize/Zeros/brentq.c
gcc: scipy/optimize/Zeros/ridder.c
ar: adding 4 object files to build/temp.macosx-10.7-x86_64-3.6/librootfind.a
ranlib:@ build/temp.macosx-10.7-x86_64-3.6/librootfind.a
building <span class="pl-s"><span class="pl-pds">'</span>superlu_src<span class="pl-pds">'</span></span> library
compiling C sources
C compiler: gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC
creating build/temp.macosx-10.7-x86_64-3.6/scipy/sparse
creating build/temp.macosx-10.7-x86_64-3.6/scipy/sparse/linalg
creating build/temp.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve
creating build/temp.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve/SuperLU
creating build/temp.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve/SuperLU/SRC
compile options: <span class="pl-s"><span class="pl-pds">'</span>-DUSE_VENDOR_BLAS=1 -Iscipy/sparse/linalg/dsolve/SuperLU/SRC -I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c<span class="pl-pds">'</span></span>
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_bmod.c
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_bmod.c:296:16: warning: using the result of an assignment as a condition without parentheses [-Wparentheses]
<span class="pl-k">if</span> (mem_error = cLUMemXpand(jcol, nextlu, LUSUP, <span class="pl-k">&</span>nzlumax, Glu))
<span class="pl-k">~</span>~~~~~~~~~^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_bmod.c:296:16: note: place parentheses around the assignment to silence this warning
<span class="pl-k">if</span> (mem_error = cLUMemXpand(jcol, nextlu, LUSUP, <span class="pl-k">&</span>nzlumax, Glu))
^
( )
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_bmod.c:296:16: note: use <span class="pl-s"><span class="pl-pds">'</span>==<span class="pl-pds">'</span></span> to turn this assignment into an equality comparison
<span class="pl-k">if</span> (mem_error = cLUMemXpand(jcol, nextlu, LUSUP, <span class="pl-k">&</span>nzlumax, Glu))
^
==
1 warning generated.
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c:139:18: warning: using the result of an assignment as a condition without parentheses [-Wparentheses]
<span class="pl-k">if</span> ( mem_error = cLUMemXpand(jcol, nextl, LSUB, <span class="pl-k">&</span>nzlmax, Glu) )
<span class="pl-k">~</span>~~~~~~~~~^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c:139:18: note: place parentheses around the assignment to silence this warning
<span class="pl-k">if</span> ( mem_error = cLUMemXpand(jcol, nextl, LSUB, <span class="pl-k">&</span>nzlmax, Glu) )
^
( )
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c:139:18: note: use <span class="pl-s"><span class="pl-pds">'</span>==<span class="pl-pds">'</span></span> to turn this assignment into an equality comparison
<span class="pl-k">if</span> ( mem_error = cLUMemXpand(jcol, nextl, LSUB, <span class="pl-k">&</span>nzlmax, Glu) )
^
==
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c:181:24: warning: using the result of an assignment as a condition without parentheses [-Wparentheses]
<span class="pl-k">if</span> ( mem_error =
<span class="pl-k">~</span>~~~~~~~~~^
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c:181:24: note: place parentheses around the assignment to silence this warning
<span class="pl-k">if</span> ( mem_error =
^
(
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccolumn_dfs.c:181:24: note: use <span class="pl-s"><span class="pl-pds">'</span>==<span class="pl-pds">'</span></span> to turn this assignment into an equality comparison
<span class="pl-k">if</span> ( mem_error =
^
==
2 warnings generated.
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c:87:21: warning: using the result of an assignment as a condition without parentheses [-Wparentheses]
<span class="pl-k">if</span> (mem_error = cLUMemXpand(jcol, nextu, UCOL, <span class="pl-k">&</span>nzumax, Glu))
<span class="pl-k">~</span>~~~~~~~~~^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c:87:21: note: place parentheses around the assignment to silence this warning
<span class="pl-k">if</span> (mem_error = cLUMemXpand(jcol, nextu, UCOL, <span class="pl-k">&</span>nzumax, Glu))
^
( )
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c:87:21: note: use <span class="pl-s"><span class="pl-pds">'</span>==<span class="pl-pds">'</span></span> to turn this assignment into an equality comparison
<span class="pl-k">if</span> (mem_error = cLUMemXpand(jcol, nextu, UCOL, <span class="pl-k">&</span>nzumax, Glu))
^
==
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c:90:21: warning: using the result of an assignment as a condition without parentheses [-Wparentheses]
<span class="pl-k">if</span> (mem_error = cLUMemXpand(jcol, nextu, USUB, <span class="pl-k">&</span>nzumax, Glu))
<span class="pl-k">~</span>~~~~~~~~~^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c:90:21: note: place parentheses around the assignment to silence this warning
<span class="pl-k">if</span> (mem_error = cLUMemXpand(jcol, nextu, USUB, <span class="pl-k">&</span>nzumax, Glu))
^
( )
scipy/sparse/linalg/dsolve/SuperLU/SRC/ccopy_to_ucol.c:90:21: note: use <span class="pl-s"><span class="pl-pds">'</span>==<span class="pl-pds">'</span></span> to turn this assignment into an equality comparison
<span class="pl-k">if</span> (mem_error = cLUMemXpand(jcol, nextu, USUB, <span class="pl-k">&</span>nzumax, Glu))
^
==
2 warnings generated.
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cdiagonal.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgscon.c
scipy/sparse/linalg/dsolve/SuperLU/SRC/cgscon.c:102:21: warning: logical not is only applied to the left hand side of this comparison [-Wlogical-not-parentheses]
<span class="pl-k">if</span> (<span class="pl-k">!</span> onenrm <span class="pl-k">&&</span> <span class="pl-k">!</span> strncmp(norm, <span class="pl-s"><span class="pl-pds">"</span>I<span class="pl-pds">"</span></span>, 1)==0) <span class="pl-k">*</span>info = -1<span class="pl-k">;</span>
^ <span class="pl-k">~</span>~
scipy/sparse/linalg/dsolve/SuperLU/SRC/cgscon.c:102:21: note: add parentheses after the <span class="pl-s"><span class="pl-pds">'</span>!<span class="pl-pds">'</span></span> to evaluate the comparison first
<span class="pl-k">if</span> (<span class="pl-k">!</span> onenrm <span class="pl-k">&&</span> <span class="pl-k">!</span> strncmp(norm, <span class="pl-s"><span class="pl-pds">"</span>I<span class="pl-pds">"</span></span>, 1)==0) <span class="pl-k">*</span>info = -1<span class="pl-k">;</span>
^
( )
scipy/sparse/linalg/dsolve/SuperLU/SRC/cgscon.c:102:21: note: add parentheses around left hand side expression to silence this warning
<span class="pl-k">if</span> (<span class="pl-k">!</span> onenrm <span class="pl-k">&&</span> <span class="pl-k">!</span> strncmp(norm, <span class="pl-s"><span class="pl-pds">"</span>I<span class="pl-pds">"</span></span>, 1)==0) <span class="pl-k">*</span>info = -1<span class="pl-k">;</span>
^
( )
1 warning generated.
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsequ.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsisx.c
scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsisx.c:588:7: warning: logical not is only applied to the left hand side of this bitwise operator [-Wlogical-not-parentheses]
<span class="pl-k">if</span> ( <span class="pl-k">!</span>mc64 <span class="pl-k">&</span> equil ) { /<span class="pl-k">*</span> Only perform equilibration, no row perm <span class="pl-k">*</span>/
^ <span class="pl-k">~</span>
scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsisx.c:588:7: note: add parentheses after the <span class="pl-s"><span class="pl-pds">'</span>!<span class="pl-pds">'</span></span> to evaluate the bitwise operator first
<span class="pl-k">if</span> ( <span class="pl-k">!</span>mc64 <span class="pl-k">&</span> equil ) { /<span class="pl-k">*</span> Only perform equilibration, no row perm <span class="pl-k">*</span>/
^
( )
scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsisx.c:588:7: note: add parentheses around left hand side expression to silence this warning
<span class="pl-k">if</span> ( <span class="pl-k">!</span>mc64 <span class="pl-k">&</span> equil ) { /<span class="pl-k">*</span> Only perform equilibration, no row perm <span class="pl-k">*</span>/
^
( )
1 warning generated.
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsitrf.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgsrfs.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgssv.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgssvx.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgstrf.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/cgstrs.c
gcc: scipy/sparse/linalg/dsolve/SuperLU/SRC/clacon2.c
Running from SciPy <span class="pl-c1">source</span> directory.
/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/distutils/system_info.py:624: UserWarning:
Atlas (http://math-atlas.sourceforge.net/) libraries not found.
Directories to search <span class="pl-k">for</span> <span class="pl-smi">the libraries can be specified</span> <span class="pl-k">in</span> the
numpy/distutils/site.cfg file (section [atlas]) or by setting
the ATLAS environment variable.
<span class="pl-en">self.calc_info</span>()
/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/distutils/system_info.py:716: UserWarning: Specified path /private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/__init__.py/include is invalid.
<span class="pl-k">return</span> self.get_paths(self.section, key)
/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/distutils/system_info.py:716: UserWarning: Specified path /usr/local/include/include is invalid.
<span class="pl-k">return</span> self.get_paths(self.section, key)
/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/distutils/fcompiler/gnu.py:332: UserWarning: Env. variable MACOSX_DEPLOYMENT_TARGET <span class="pl-c1">set</span> to 10.3
flags = GnuFCompiler.get_flags_linker_so(self)
error: Command <span class="pl-s"><span class="pl-pds">"</span>gcc -pthread -arch x86_64 -DNDEBUG -O2 -fPIC -DUSE_VENDOR_BLAS=1 -Iscipy/sparse/linalg/dsolve/SuperLU/SRC -I/private/var/folders/4m/553gg3w14qzds7sskm8kmswr0000gn/T/pip-build-env-ju_wepkn/overlay/site-packages/numpy/core/include -c scipy/sparse/linalg/dsolve/SuperLU/SRC/clacon2.c -o build/temp.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve/SuperLU/SRC/clacon2.o -MMD -MF build/temp.macosx-10.7-x86_64-3.6/scipy/sparse/linalg/dsolve/SuperLU/SRC/clacon2.o.d<span class="pl-pds">"</span></span> failed with <span class="pl-c1">exit</span> status 1
scipy/sparse/linalg/dsolve/SuperLU/SRC/clacon2.c:175:5: error: implicit declaration of <span class="pl-k">function</span> <span class="pl-en">'ccopy_'</span> is invalid <span class="pl-k">in</span> C99 [-Werror,-Wimplicit-function-declaration]
ccopy_(n, x, <span class="pl-k">&</span>c__1, v, <span class="pl-k">&</span>c__1)<span class="pl-k">;</span>
^
1 error generated.
scipy/sparse/linalg/dsolve/SuperLU/SRC/clacon2.c:175:5: error: implicit declaration of <span class="pl-k">function</span> <span class="pl-en">'ccopy_'</span> is invalid <span class="pl-k">in</span> C99 [-Werror,-Wimplicit-function-declaration]
ccopy_(n, x, <span class="pl-k">&</span>c__1, v, <span class="pl-k">&</span>c__1)<span class="pl-k">;</span>
^
1 error generated.
----------------------------------------
ERROR: Failed building wheel <span class="pl-k">for</span> scipy
Failed to build scipy
ERROR: Could not build wheels <span class="pl-k">for</span> scipy which use PEP 517 and cannot be installed directly</pre></div>
</details> | 0 |
<p dir="auto"><em>ModuleNotFoundError: No module named 'werkzeug.wrappers.etag' <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="1306025055" data-permission-text="Title is private" data-url="https://github.com/apache/superset/issues/20723" data-hovercard-type="issue" data-hovercard-url="/apache/superset/issues/20723/hovercard" href="https://github.com/apache/superset/issues/20723">#20723</a></em></p>
<h4 dir="auto">How to reproduce the bug</h4>
<p dir="auto">Install using pip on Ubuntu with python 3.9</p>
<p dir="auto">Get to this point as per instructions:</p>
<p dir="auto"><code class="notranslate">$HOME/venv/superset/2.0.0/bin/superset db upgrade</code></p>
<h3 dir="auto">Expected results</h3>
<p dir="auto">No error</p>
<h3 dir="auto">Actual results</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="logging was configured successfully
2022-07-15 15:10:24,707:INFO:superset.utils.logging_configurator:logging was configured successfully
2022-07-15 15:10:24,713:INFO:root:Configured event logger of type <class 'superset.utils.log.DBEventLogger'>
Falling back to the built-in cache, that stores data in the metadata database, for the following cache: `FILTER_STATE_CACHE_CONFIG`. It is recommended to use `RedisCache`, `MemcachedCache` or another dedicated caching backend for production deployments
2022-07-15 15:10:24,716:WARNING:superset.utils.cache_manager:Falling back to the built-in cache, that stores data in the metadata database, for the following cache: `FILTER_STATE_CACHE_CONFIG`. It is recommended to use `RedisCache`, `MemcachedCache` or another dedicated caching backend for production deployments
Falling back to the built-in cache, that stores data in the metadata database, for the following cache: `EXPLORE_FORM_DATA_CACHE_CONFIG`. It is recommended to use `RedisCache`, `MemcachedCache` or another dedicated caching backend for production deployments
2022-07-15 15:10:24,720:WARNING:superset.utils.cache_manager:Falling back to the built-in cache, that stores data in the metadata database, for the following cache: `EXPLORE_FORM_DATA_CACHE_CONFIG`. It is recommended to use `RedisCache`, `MemcachedCache` or another dedicated caching backend for production deployments
Failed to create app
Traceback (most recent call last):
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/app.py", line 37, in create_app
app_initializer.init_app()
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/initialization/__init__.py", line 460, in init_app
self.init_app_in_ctx()
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/initialization/__init__.py", line 409, in init_app_in_ctx
self.configure_url_map_converters()
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/initialization/__init__.py", line 508, in configure_url_map_converters
from superset.utils.url_map_converters import (
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/utils/url_map_converters.py", line 21, in <module>
from superset.models.tags import ObjectTypes
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/models/__init__.py", line 17, in <module>
from . import core, datasource_access_request, dynamic_plugins, sql_lab, user_attributes
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/models/core.py", line 63, in <module>
from superset.utils import cache as cache_util, core as utils
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/utils/cache.py", line 28, in <module>
from werkzeug.wrappers.etag import ETagResponseMixin
ModuleNotFoundError: No module named 'werkzeug.wrappers.etag'"><pre class="notranslate"><code class="notranslate">logging was configured successfully
2022-07-15 15:10:24,707:INFO:superset.utils.logging_configurator:logging was configured successfully
2022-07-15 15:10:24,713:INFO:root:Configured event logger of type <class 'superset.utils.log.DBEventLogger'>
Falling back to the built-in cache, that stores data in the metadata database, for the following cache: `FILTER_STATE_CACHE_CONFIG`. It is recommended to use `RedisCache`, `MemcachedCache` or another dedicated caching backend for production deployments
2022-07-15 15:10:24,716:WARNING:superset.utils.cache_manager:Falling back to the built-in cache, that stores data in the metadata database, for the following cache: `FILTER_STATE_CACHE_CONFIG`. It is recommended to use `RedisCache`, `MemcachedCache` or another dedicated caching backend for production deployments
Falling back to the built-in cache, that stores data in the metadata database, for the following cache: `EXPLORE_FORM_DATA_CACHE_CONFIG`. It is recommended to use `RedisCache`, `MemcachedCache` or another dedicated caching backend for production deployments
2022-07-15 15:10:24,720:WARNING:superset.utils.cache_manager:Falling back to the built-in cache, that stores data in the metadata database, for the following cache: `EXPLORE_FORM_DATA_CACHE_CONFIG`. It is recommended to use `RedisCache`, `MemcachedCache` or another dedicated caching backend for production deployments
Failed to create app
Traceback (most recent call last):
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/app.py", line 37, in create_app
app_initializer.init_app()
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/initialization/__init__.py", line 460, in init_app
self.init_app_in_ctx()
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/initialization/__init__.py", line 409, in init_app_in_ctx
self.configure_url_map_converters()
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/initialization/__init__.py", line 508, in configure_url_map_converters
from superset.utils.url_map_converters import (
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/utils/url_map_converters.py", line 21, in <module>
from superset.models.tags import ObjectTypes
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/models/__init__.py", line 17, in <module>
from . import core, datasource_access_request, dynamic_plugins, sql_lab, user_attributes
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/models/core.py", line 63, in <module>
from superset.utils import cache as cache_util, core as utils
File "$HOME/venv/superset/2.0.0/lib/python3.9/site-packages/superset/utils/cache.py", line 28, in <module>
from werkzeug.wrappers.etag import ETagResponseMixin
ModuleNotFoundError: No module named 'werkzeug.wrappers.etag'
</code></pre></div> | <p dir="auto">I installed Superset 2.0.0 via pip. I get the following error when running <code class="notranslate">superset</code> after installation:</p>
<div class="highlight highlight-text-shell-session notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="$ superset
...
ModuleNotFoundError: No module named 'werkzeug.wrappers.etag'"><pre class="notranslate">$ <span class="pl-s1">superset</span>
<span class="pl-c1">...</span>
<span class="pl-c1">ModuleNotFoundError: No module named 'werkzeug.wrappers.etag'</span></pre></div>
<h4 dir="auto">How to reproduce the bug</h4>
<p dir="auto">I installed Superset via pip in a clean Python 3.8 virtual environment on Linux:</p>
<div class="highlight highlight-text-shell-session notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="$ mkdir superset-2.0.0
$ cd superset-2.0.0
$ python3.8 -m venv venv
$ source ./venv/bin/activate
$ pip install --upgrade setuptools pip wheel
$ pip install apache-superset==2.0.0
$ pip install pillow mysqlclient gevent
$ vim superset_config.py
$ export PYTHONPATH=/home/superset/superset-2.0.0
$ export FLASK_APP=superset
$ superset
...
ModuleNotFoundError: No module named 'werkzeug.wrappers.etag'"><pre class="notranslate">$ <span class="pl-s1">mkdir superset-2.0.0</span>
$ <span class="pl-s1"><span class="pl-c1">cd</span> superset-2.0.0</span>
$ <span class="pl-s1">python3.8 -m venv venv</span>
$ <span class="pl-s1"><span class="pl-c1">source</span> ./venv/bin/activate</span>
$ <span class="pl-s1">pip install --upgrade setuptools pip wheel</span>
$ <span class="pl-s1">pip install apache-superset==2.0.0</span>
$ <span class="pl-s1">pip install pillow mysqlclient gevent</span>
$ <span class="pl-s1">vim superset_config.py</span>
$ <span class="pl-s1"><span class="pl-k">export</span> PYTHONPATH=/home/superset/superset-2.0.0</span>
$ <span class="pl-s1"><span class="pl-k">export</span> FLASK_APP=superset</span>
$ <span class="pl-s1">superset</span>
<span class="pl-c1">...</span>
<span class="pl-c1">ModuleNotFoundError: No module named 'werkzeug.wrappers.etag'</span></pre></div>
<h3 dir="auto">Expected results</h3>
<p dir="auto">Superset runs without error.</p>
<h3 dir="auto">Actual results</h3>
<p dir="auto">Superset crashes with Python <code class="notranslate">ModuleNotFoundError</code>.</p>
<h3 dir="auto">Environment</h3>
<ul dir="auto">
<li>superset version: Superset 2.0.0</li>
<li>python version: Python 3.8.10</li>
</ul>
<h3 dir="auto">Checklist</h3>
<p dir="auto">Make sure to follow these steps before submitting your issue - thank you!</p>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the superset logs for python stacktraces and included it here as text if there are any.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have reproduced the issue with at least the latest released version of superset.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the issue tracker for the same issue and I haven't found one similar.</li>
</ul>
<h3 dir="auto">Additional Information</h3>
<p dir="auto">I notice that <code class="notranslate">requirements/base.txt</code> lists <code class="notranslate">werkzeug==2.0.3</code> so I installed that manually and superset runs fine after.</p> | 1 |
<h2 dir="auto"><g-emoji class="g-emoji" alias="rocket" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/1f680.png">🚀</g-emoji> Feature</h2>
<p dir="auto">automatically inferring the input size after the first forward pass</p>
<h2 dir="auto">Motivation</h2>
<p dir="auto"><a href="https://mxnet.apache.org/api/python/docs/tutorials/getting-started/to-mxnet/pytorch.html" rel="nofollow">https://mxnet.apache.org/api/python/docs/tutorials/getting-started/to-mxnet/pytorch.html</a><br>
In PyTorch you have to specify the input size as the first argument of the Linear object. Apache MXNet provides an extra flexibility to network structure by automatically inferring the input size after the first forward pass.</p>
<h2 dir="auto">Pitch</h2>
<p dir="auto">I have to specify input of the hidden layer input. I want to make sequence without specifing input size.<br>
Exp: #for now;<br>
pt_net = pt_nn.Sequential(<br>
pt_nn.Linear(28*28, 256),<br>
pt_nn.ReLU(),<br>
pt_nn.Linear(256, 10))</p>
<p dir="auto">My request; #input size is know and second layer input size also known<br>
pt_net = pt_nn.Sequential(<br>
pt_nn.Linear(256),<br>
pt_nn.ReLU(),<br>
pt_nn.Linear(10))</p>
<h2 dir="auto">Alternatives</h2>
<h2 dir="auto">Additional context</h2> | <h2 dir="auto">Motivation</h2>
<p dir="auto">There’s a lot of cases in framework design where we want to be able to treat components like lego blocks when building various model architectures. The following case studies in PyText are the 90% common cases, not the exceptions, ie. most people build models from these architecture families.</p>
<p dir="auto">Document classifiers in PyText follow a general pattern of Embedding → Representation → Decoder.</p>
<ul dir="auto">
<li>Embedding
<ul dir="auto">
<li>Word embedding</li>
<li>BiTransformer</li>
<li>Character embedding</li>
</ul>
</li>
<li>Representation
<ul dir="auto">
<li>Encoder
<ul dir="auto">
<li>DocNN</li>
<li>LSTM (possibly bidirectional)</li>
</ul>
</li>
<li>Pooling layer
<ul dir="auto">
<li>Max pool</li>
<li>Attention</li>
<li>etc</li>
</ul>
</li>
</ul>
</li>
<li>Decoder
<ul dir="auto">
<li>Almost always an MLP, needs to have an output dimension of #classes</li>
</ul>
</li>
</ul>
<p dir="auto">Within the 4 categories of Embedding/Encoder/Pooling/Decoder though, each boundary depends on the dimensionality of the previous component — the encoder depends on the embedding dimension, the pooling depends on the encoder dimension (including eg. whether the LSTM is bidirectional), and the decoder depends on the pooling layer output dimension (and #classes).</p>
<p dir="auto">However, from a user standpoint, it is extremely desirable to not have to make sure that these dimensions match up exactly. For instance, if a product team wants to experiment with DocNN vs BiLSTM with self attention and two different sizes of word embeddings, they would need to know how to compute the correct input dimensions for their encoders, pooling layers, and MLPs for each of the 4 cases. If they have dense features, those might also factor into the computation for the MLP layer.</p>
<p dir="auto">PyText solves this problem by having modules of each of these categories compute and track the appropriate dimensionality internally to their constructor, and then constructing the model and wiring the various blocks together before training. See <a href="https://github.com/facebookresearch/pytext/blob/a64370c7f1aac1c0491ccf5b2b0987909c9e0d94/pytext/models/representations/docnn.py#L30">DocNN</a> representation_dim computation for an example of this, and <a href="https://github.com/facebookresearch/pytext/blob/a64370c7f1aac1c0491ccf5b2b0987909c9e0d94/pytext/models/model.py#L167">Model.from_config</a> for where we use this to construct the model.</p>
<p dir="auto">This solution works for us, but only in the case where we take the responsibility of constructing the model, along with all of its subcomponents, away from the user. If we wanted to eg. allow the user to pass in their own representation layer, we wouldn’t be able to ensure the dimensionality match, the user is therefore responsible for also constructing <em>every other model component</em>. As a direct result of this design, PyText is abysmally hard to use in a notebook, and we built a Config system for managing hyperparameters that essentially boils down to allowing users to partially construct modules, then let us take over and finish building the whole model. See one of our <a href="https://github.com/facebookresearch/pytext/blob/master/pytext/models/representations/bilstm_doc_attention.py#L35">BiLSTM Config</a> classes for an example.</p>
<p dir="auto">This issue is not specific to PyText. Consider this snippet from the demo example from the AllenNLP website:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="EMBEDDING_DIM = 6
HIDDEN_DIM = 6
token_embedding = Embedding(num_embeddings=vocab.get_vocab_size('tokens'),
embedding_dim=EMBEDDING_DIM)
word_embeddings = BasicTextFieldEmbedder({"tokens": token_embedding})
lstm = PytorchSeq2SeqWrapper(torch.nn.LSTM(EMBEDDING_DIM, HIDDEN_DIM, batch_first=True))
model = LstmTagger(word_embeddings, lstm, vocab)"><pre class="notranslate"><span class="pl-v">EMBEDDING_DIM</span> <span class="pl-c1">=</span> <span class="pl-c1">6</span>
<span class="pl-v">HIDDEN_DIM</span> <span class="pl-c1">=</span> <span class="pl-c1">6</span>
<span class="pl-s1">token_embedding</span> <span class="pl-c1">=</span> <span class="pl-v">Embedding</span>(<span class="pl-s1">num_embeddings</span><span class="pl-c1">=</span><span class="pl-s1">vocab</span>.<span class="pl-en">get_vocab_size</span>(<span class="pl-s">'tokens'</span>),
<span class="pl-s1">embedding_dim</span><span class="pl-c1">=</span><span class="pl-v">EMBEDDING_DIM</span>)
<span class="pl-s1">word_embeddings</span> <span class="pl-c1">=</span> <span class="pl-v">BasicTextFieldEmbedder</span>({<span class="pl-s">"tokens"</span>: <span class="pl-s1">token_embedding</span>})
<span class="pl-s1">lstm</span> <span class="pl-c1">=</span> <span class="pl-v">PytorchSeq2SeqWrapper</span>(<span class="pl-s1">torch</span>.<span class="pl-s1">nn</span>.<span class="pl-v">LSTM</span>(<span class="pl-v">EMBEDDING_DIM</span>, <span class="pl-v">HIDDEN_DIM</span>, <span class="pl-s1">batch_first</span><span class="pl-c1">=</span><span class="pl-c1">True</span>))
<span class="pl-s1">model</span> <span class="pl-c1">=</span> <span class="pl-v">LstmTagger</span>(<span class="pl-s1">word_embeddings</span>, <span class="pl-s1">lstm</span>, <span class="pl-s1">vocab</span>)</pre></div>
<p dir="auto">(source - <a href="https://allennlp.org/tutorials" rel="nofollow">https://allennlp.org/tutorials</a>)</p>
<p dir="auto">Note that similar to PyText, we need to match up the EMBEDDING_DIM between token_embedding and the LSTM module; we therefore couldn’t construct an LstmTagger object with a default argument for just one of word_embeddings or lstm, because there would be no way to create them with the appropriate dimensions.</p>
<h2 dir="auto">Proposal - Lazy Modules</h2>
<p dir="auto">We propose adding lazily inferred dimensions to some core Torch components, such as Linear, ConvNd, and RNN. This syntax should allow constructing these components (and any derived or more complex user components containing them) to instantiate the models without fully defining their dimensions, and have them inferred from the tensors passed in the first time their forward function is called. We propose using -1 to represent these dimensions similar to how -1 is used in reshape now (None has also been suggested, covered in alternatives below). For example</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=">>> l = nn.Linear(-1, 3)
>>> l(torch.rand(2, 4)).size()
[2, 3]
>>> l(torch.rand(2, 5))
TypeError(...)"><pre class="notranslate"><span class="pl-c1">>></span><span class="pl-c1">></span> <span class="pl-s1">l</span> <span class="pl-c1">=</span> <span class="pl-s1">nn</span>.<span class="pl-v">Linear</span>(<span class="pl-c1">-</span><span class="pl-c1">1</span>, <span class="pl-c1">3</span>)
<span class="pl-c1">>></span><span class="pl-c1">></span> <span class="pl-en">l</span>(<span class="pl-s1">torch</span>.<span class="pl-en">rand</span>(<span class="pl-c1">2</span>, <span class="pl-c1">4</span>)).<span class="pl-en">size</span>()
[<span class="pl-c1">2</span>, <span class="pl-c1">3</span>]
<span class="pl-c1">>></span><span class="pl-c1">></span> <span class="pl-en">l</span>(<span class="pl-s1">torch</span>.<span class="pl-en">rand</span>(<span class="pl-c1">2</span>, <span class="pl-c1">5</span>))
<span class="pl-v">TypeError</span>(...)</pre></div>
<p dir="auto">This would allow building more complex components that could also infer their input dimensions; consider a simple MLP implementation, much like what PyText uses for its decoders:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="class MLP(nn.Module):
def __init__(self, dims: List[int], dropout: float = 0.):
super().__init__()
layers = []
for in_dim, dim in zip([-1] + dims, dims):
layers.extend([
nn.Linear(in_dim, dim),
ReLU(),
nn.LayerNorm(dim),
nn.Dropout(dropout),
])
self.layers = nn.Sequential(*layers)
def forward(self, input: torch.Tensor) -> torch.Tensor:
return self.layers(input)"><pre class="notranslate"><span class="pl-k">class</span> <span class="pl-v">MLP</span>(<span class="pl-s1">nn</span>.<span class="pl-v">Module</span>):
<span class="pl-k">def</span> <span class="pl-en">__init__</span>(<span class="pl-s1">self</span>, <span class="pl-s1">dims</span>: <span class="pl-v">List</span>[<span class="pl-s1">int</span>], <span class="pl-s1">dropout</span>: <span class="pl-s1">float</span> <span class="pl-c1">=</span> <span class="pl-c1">0.</span>):
<span class="pl-en">super</span>().<span class="pl-en">__init__</span>()
<span class="pl-s1">layers</span> <span class="pl-c1">=</span> []
<span class="pl-k">for</span> <span class="pl-s1">in_dim</span>, <span class="pl-s1">dim</span> <span class="pl-c1">in</span> <span class="pl-en">zip</span>([<span class="pl-c1">-</span><span class="pl-c1">1</span>] <span class="pl-c1">+</span> <span class="pl-s1">dims</span>, <span class="pl-s1">dims</span>):
<span class="pl-s1">layers</span>.<span class="pl-en">extend</span>([
<span class="pl-s1">nn</span>.<span class="pl-v">Linear</span>(<span class="pl-s1">in_dim</span>, <span class="pl-s1">dim</span>),
<span class="pl-v">ReLU</span>(),
<span class="pl-s1">nn</span>.<span class="pl-v">LayerNorm</span>(<span class="pl-s1">dim</span>),
<span class="pl-s1">nn</span>.<span class="pl-v">Dropout</span>(<span class="pl-s1">dropout</span>),
])
<span class="pl-s1">self</span>.<span class="pl-s1">layers</span> <span class="pl-c1">=</span> <span class="pl-s1">nn</span>.<span class="pl-v">Sequential</span>(<span class="pl-c1">*</span><span class="pl-s1">layers</span>)
<span class="pl-k">def</span> <span class="pl-en">forward</span>(<span class="pl-s1">self</span>, <span class="pl-s1">input</span>: <span class="pl-s1">torch</span>.<span class="pl-v">Tensor</span>) <span class="pl-c1">-></span> <span class="pl-s1">torch</span>.<span class="pl-v">Tensor</span>:
<span class="pl-k">return</span> <span class="pl-s1">self</span>.<span class="pl-en">layers</span>(<span class="pl-s1">input</span>)</pre></div>
<p dir="auto">Now this MLP can be used in any PyText model, regardless of what the output shape of representation/pooling is:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="mlp1 = MLP([4, 5, 6])
mlp2 = MLP([4, 5, 6])
mlp1(torch.rand(2, 4)) # finalizes mlp1 as expecting input dimension 4
mlp2(torch.rand(2, 5)) # finalizes mlp2 as expecting input dimension 5"><pre class="notranslate"><span class="pl-s1">mlp1</span> <span class="pl-c1">=</span> <span class="pl-v">MLP</span>([<span class="pl-c1">4</span>, <span class="pl-c1">5</span>, <span class="pl-c1">6</span>])
<span class="pl-s1">mlp2</span> <span class="pl-c1">=</span> <span class="pl-v">MLP</span>([<span class="pl-c1">4</span>, <span class="pl-c1">5</span>, <span class="pl-c1">6</span>])
<span class="pl-en">mlp1</span>(<span class="pl-s1">torch</span>.<span class="pl-en">rand</span>(<span class="pl-c1">2</span>, <span class="pl-c1">4</span>)) <span class="pl-c"># finalizes mlp1 as expecting input dimension 4</span>
<span class="pl-en">mlp2</span>(<span class="pl-s1">torch</span>.<span class="pl-en">rand</span>(<span class="pl-c1">2</span>, <span class="pl-c1">5</span>)) <span class="pl-c"># finalizes mlp2 as expecting input dimension 5</span></pre></div>
<p dir="auto">And in the cases of PyText and AllenNLP these could allow interfaces that are much simpler and more modular:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="class Model(nn.Module):
def __init__(
self,
embedding = WordEmbedding(),
representation = BiLSTM(),
decoder = MLP([4, 5, 6]),
):
self.embedding = embedding
self.representation = representation
self.decoder = decoder
def forward(self, tokens):
embedded = self.embedding(tokens)
representation = self.representation(embedded)
return self.decoder(representation)
model1 = Model()
model2 = Model(representation=DocNN())
model3 = Model(
embedding=WordEmbedding(embedding_dim=200, vocab_size=10000),
decoder=MLP([2, 50, 10]),
)"><pre class="notranslate"><span class="pl-k">class</span> <span class="pl-v">Model</span>(<span class="pl-s1">nn</span>.<span class="pl-v">Module</span>):
<span class="pl-k">def</span> <span class="pl-en">__init__</span>(
<span class="pl-s1">self</span>,
<span class="pl-s1">embedding</span> <span class="pl-c1">=</span> <span class="pl-v">WordEmbedding</span>(),
<span class="pl-s1">representation</span> <span class="pl-c1">=</span> <span class="pl-v">BiLSTM</span>(),
<span class="pl-s1">decoder</span> <span class="pl-c1">=</span> <span class="pl-v">MLP</span>([<span class="pl-c1">4</span>, <span class="pl-c1">5</span>, <span class="pl-c1">6</span>]),
):
<span class="pl-s1">self</span>.<span class="pl-s1">embedding</span> <span class="pl-c1">=</span> <span class="pl-s1">embedding</span>
<span class="pl-s1">self</span>.<span class="pl-s1">representation</span> <span class="pl-c1">=</span> <span class="pl-s1">representation</span>
<span class="pl-s1">self</span>.<span class="pl-s1">decoder</span> <span class="pl-c1">=</span> <span class="pl-s1">decoder</span>
<span class="pl-k">def</span> <span class="pl-en">forward</span>(<span class="pl-s1">self</span>, <span class="pl-s1">tokens</span>):
<span class="pl-s1">embedded</span> <span class="pl-c1">=</span> <span class="pl-s1">self</span>.<span class="pl-en">embedding</span>(<span class="pl-s1">tokens</span>)
<span class="pl-s1">representation</span> <span class="pl-c1">=</span> <span class="pl-s1">self</span>.<span class="pl-en">representation</span>(<span class="pl-s1">embedded</span>)
<span class="pl-k">return</span> <span class="pl-s1">self</span>.<span class="pl-en">decoder</span>(<span class="pl-s1">representation</span>)
<span class="pl-s1">model1</span> <span class="pl-c1">=</span> <span class="pl-v">Model</span>()
<span class="pl-s1">model2</span> <span class="pl-c1">=</span> <span class="pl-v">Model</span>(<span class="pl-s1">representation</span><span class="pl-c1">=</span><span class="pl-v">DocNN</span>())
<span class="pl-s1">model3</span> <span class="pl-c1">=</span> <span class="pl-v">Model</span>(
<span class="pl-s1">embedding</span><span class="pl-c1">=</span><span class="pl-v">WordEmbedding</span>(<span class="pl-s1">embedding_dim</span><span class="pl-c1">=</span><span class="pl-c1">200</span>, <span class="pl-s1">vocab_size</span><span class="pl-c1">=</span><span class="pl-c1">10000</span>),
<span class="pl-s1">decoder</span><span class="pl-c1">=</span><span class="pl-v">MLP</span>([<span class="pl-c1">2</span>, <span class="pl-c1">50</span>, <span class="pl-c1">10</span>]),
)</pre></div>
<h2 dir="auto">Sample implementation</h2>
<p dir="auto">This will be supplied shortly following this proposal as a pull request in torch.nn.lazy, but for now here is the proposed implementation.</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="from torch import nn
# LazyModuleMeta re-implements the type construction semantics for objects to allow
# a slight variant on syntax. Essentially anything with this metaclass can optionally
# execute a single yield statement during its constructor (normal constructors also work fine).
# If it does yield during construction, then a __lazy_init__ function is populated;
# any code occurring before yield in the constuctor will be called as normal during object creation,
# and any code after yield will instead be deferred to the first call of __lazy_init__.
class LazyInitMeta(type):
def __call__(cls, *args, **kwargs):
if hasattr(cls, '__new__'):
obj = cls.__new__(cls, *args, **kwargs)
else:
obj = object.__new__(cls)
def initialize(obj):
res = obj.__init__(*args, **kwargs)
if isinstance(res, types.GeneratorType):
next(res, None)
def lazy_init(call_args):
try:
res.send(call_args)
except StopIteration:
pass
finally:
obj.__lazy_init__ = None
obj.__lazy_init__ = lazy_init
else:
obj.__lazy_init__ = None
if isinstance(obj, cls):
initialize(obj)
return obj
# Here's a Lazy nn.Module implementation using LazyInitMeta, calling __lazy_init__ before the first
# forward pass.
class LazyModule(nn.Module, metaclass=LazyInitMeta):
def __init__(self):
nn.Module.__init__(self)
def __call__(self, *args, **kwargs):
if self.__lazy_init__:
self.__lazy_init__(call_args=(args, kwargs))
return nn.Module.__call__(self, *args, **kwargs)
# Optionally lazy Linear module, based on the current torch implementation of nn.Linear.
class Linear(nn.Linear, LazyModule):
def __init__(self, in_features, out_features, bias=True):
LazyModule.__init__(self)
self.in_features = in_features
self.out_features = out_features
if bias:
self.bias = nn.Parameter(torch.Tensor(out_features))
else:
self.register_parameter('bias', None)
if in_features == -1:
self.register_parameter('weight', None)
([input], _) = yield # lazy init remainder
in_features = self.in_features = input.size()[-1]
self.weight = nn.Parameter(torch.Tensor(out_features, in_features))
self.reset_parameters()"><pre class="notranslate"><span class="pl-k">from</span> <span class="pl-s1">torch</span> <span class="pl-k">import</span> <span class="pl-s1">nn</span>
<span class="pl-c"># LazyModuleMeta re-implements the type construction semantics for objects to allow</span>
<span class="pl-c"># a slight variant on syntax. Essentially anything with this metaclass can optionally</span>
<span class="pl-c"># execute a single yield statement during its constructor (normal constructors also work fine).</span>
<span class="pl-c"># If it does yield during construction, then a __lazy_init__ function is populated;</span>
<span class="pl-c"># any code occurring before yield in the constuctor will be called as normal during object creation,</span>
<span class="pl-c"># and any code after yield will instead be deferred to the first call of __lazy_init__.</span>
<span class="pl-k">class</span> <span class="pl-v">LazyInitMeta</span>(<span class="pl-s1">type</span>):
<span class="pl-k">def</span> <span class="pl-en">__call__</span>(<span class="pl-s1">cls</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>):
<span class="pl-k">if</span> <span class="pl-en">hasattr</span>(<span class="pl-s1">cls</span>, <span class="pl-s">'__new__'</span>):
<span class="pl-s1">obj</span> <span class="pl-c1">=</span> <span class="pl-s1">cls</span>.<span class="pl-en">__new__</span>(<span class="pl-s1">cls</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-k">else</span>:
<span class="pl-s1">obj</span> <span class="pl-c1">=</span> <span class="pl-s1">object</span>.<span class="pl-en">__new__</span>(<span class="pl-s1">cls</span>)
<span class="pl-k">def</span> <span class="pl-en">initialize</span>(<span class="pl-s1">obj</span>):
<span class="pl-s1">res</span> <span class="pl-c1">=</span> <span class="pl-s1">obj</span>.<span class="pl-en">__init__</span>(<span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-k">if</span> <span class="pl-en">isinstance</span>(<span class="pl-s1">res</span>, <span class="pl-s1">types</span>.<span class="pl-v">GeneratorType</span>):
<span class="pl-en">next</span>(<span class="pl-s1">res</span>, <span class="pl-c1">None</span>)
<span class="pl-k">def</span> <span class="pl-en">lazy_init</span>(<span class="pl-s1">call_args</span>):
<span class="pl-k">try</span>:
<span class="pl-s1">res</span>.<span class="pl-en">send</span>(<span class="pl-s1">call_args</span>)
<span class="pl-k">except</span> <span class="pl-v">StopIteration</span>:
<span class="pl-k">pass</span>
<span class="pl-k">finally</span>:
<span class="pl-s1">obj</span>.<span class="pl-s1">__lazy_init__</span> <span class="pl-c1">=</span> <span class="pl-c1">None</span>
<span class="pl-s1">obj</span>.<span class="pl-s1">__lazy_init__</span> <span class="pl-c1">=</span> <span class="pl-s1">lazy_init</span>
<span class="pl-k">else</span>:
<span class="pl-s1">obj</span>.<span class="pl-s1">__lazy_init__</span> <span class="pl-c1">=</span> <span class="pl-c1">None</span>
<span class="pl-k">if</span> <span class="pl-en">isinstance</span>(<span class="pl-s1">obj</span>, <span class="pl-s1">cls</span>):
<span class="pl-en">initialize</span>(<span class="pl-s1">obj</span>)
<span class="pl-k">return</span> <span class="pl-s1">obj</span>
<span class="pl-c"># Here's a Lazy nn.Module implementation using LazyInitMeta, calling __lazy_init__ before the first</span>
<span class="pl-c"># forward pass.</span>
<span class="pl-k">class</span> <span class="pl-v">LazyModule</span>(<span class="pl-s1">nn</span>.<span class="pl-v">Module</span>, <span class="pl-s1">metaclass</span><span class="pl-c1">=</span><span class="pl-v">LazyInitMeta</span>):
<span class="pl-k">def</span> <span class="pl-en">__init__</span>(<span class="pl-s1">self</span>):
<span class="pl-s1">nn</span>.<span class="pl-v">Module</span>.<span class="pl-en">__init__</span>(<span class="pl-s1">self</span>)
<span class="pl-k">def</span> <span class="pl-en">__call__</span>(<span class="pl-s1">self</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>):
<span class="pl-k">if</span> <span class="pl-s1">self</span>.<span class="pl-s1">__lazy_init__</span>:
<span class="pl-s1">self</span>.<span class="pl-en">__lazy_init__</span>(<span class="pl-s1">call_args</span><span class="pl-c1">=</span>(<span class="pl-s1">args</span>, <span class="pl-s1">kwargs</span>))
<span class="pl-k">return</span> <span class="pl-s1">nn</span>.<span class="pl-v">Module</span>.<span class="pl-en">__call__</span>(<span class="pl-s1">self</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c"># Optionally lazy Linear module, based on the current torch implementation of nn.Linear.</span>
<span class="pl-k">class</span> <span class="pl-v">Linear</span>(<span class="pl-s1">nn</span>.<span class="pl-v">Linear</span>, <span class="pl-v">LazyModule</span>):
<span class="pl-k">def</span> <span class="pl-en">__init__</span>(<span class="pl-s1">self</span>, <span class="pl-s1">in_features</span>, <span class="pl-s1">out_features</span>, <span class="pl-s1">bias</span><span class="pl-c1">=</span><span class="pl-c1">True</span>):
<span class="pl-v">LazyModule</span>.<span class="pl-en">__init__</span>(<span class="pl-s1">self</span>)
<span class="pl-s1">self</span>.<span class="pl-s1">in_features</span> <span class="pl-c1">=</span> <span class="pl-s1">in_features</span>
<span class="pl-s1">self</span>.<span class="pl-s1">out_features</span> <span class="pl-c1">=</span> <span class="pl-s1">out_features</span>
<span class="pl-k">if</span> <span class="pl-s1">bias</span>:
<span class="pl-s1">self</span>.<span class="pl-s1">bias</span> <span class="pl-c1">=</span> <span class="pl-s1">nn</span>.<span class="pl-v">Parameter</span>(<span class="pl-s1">torch</span>.<span class="pl-v">Tensor</span>(<span class="pl-s1">out_features</span>))
<span class="pl-k">else</span>:
<span class="pl-s1">self</span>.<span class="pl-en">register_parameter</span>(<span class="pl-s">'bias'</span>, <span class="pl-c1">None</span>)
<span class="pl-k">if</span> <span class="pl-s1">in_features</span> <span class="pl-c1">==</span> <span class="pl-c1">-</span><span class="pl-c1">1</span>:
<span class="pl-s1">self</span>.<span class="pl-en">register_parameter</span>(<span class="pl-s">'weight'</span>, <span class="pl-c1">None</span>)
([<span class="pl-s1">input</span>], <span class="pl-s1">_</span>) <span class="pl-c1">=</span> <span class="pl-k">yield</span> <span class="pl-c"># lazy init remainder</span>
<span class="pl-s1">in_features</span> <span class="pl-c1">=</span> <span class="pl-s1">self</span>.<span class="pl-s1">in_features</span> <span class="pl-c1">=</span> <span class="pl-s1">input</span>.<span class="pl-en">size</span>()[<span class="pl-c1">-</span><span class="pl-c1">1</span>]
<span class="pl-s1">self</span>.<span class="pl-s1">weight</span> <span class="pl-c1">=</span> <span class="pl-s1">nn</span>.<span class="pl-v">Parameter</span>(<span class="pl-s1">torch</span>.<span class="pl-v">Tensor</span>(<span class="pl-s1">out_features</span>, <span class="pl-s1">in_features</span>))
<span class="pl-s1">self</span>.<span class="pl-en">reset_parameters</span>()</pre></div>
<h2 dir="auto">Drawbacks</h2>
<p dir="auto">Lazy modules don’t work perfectly with everything in torch. In particular, if they’re not yet finalized (ie. -1 was passed to a dimension to be inferred, but forward hasn’t been called yet), the following behaviors might be unintuitive:</p>
<ul dir="auto">
<li>torch.save/torch.jit.script won’t work properly
<ul dir="auto">
<li>both confirmed to work fine with the sample implementation once initialization finishes</li>
</ul>
</li>
<li>module.apply()</li>
<li>any parameter initialization functions</li>
<li>module.parameters() won’t return all of the model parameters, so
<ul dir="auto">
<li>creating an optimizer/scheduler normally, ie torch.optim.Adam(module.parameters()) will potentially have unintended side-effects, as not all of the module’s eventual parameters will optimized</li>
<li>calling module.to() will move the parameters that exist, but once forward is called and new parameters are created, they will be on the default device
<ul dir="auto">
<li>this can potentially be solved with some tighter init behavior and unit tests, as there’s a finite number of components that need to be made lazy, and they can usually look at other parameters on the module and assume that users want them to be on the same device</li>
<li>alternatively it may make sense to have a concept of module-level device residency</li>
</ul>
</li>
</ul>
</li>
</ul>
<h2 dir="auto">Alternatives</h2>
<h3 dir="auto">None instead of -1</h3>
<p dir="auto">Use the above proposal, but pass None to indicate an inferred dimension rather than -1. -1 was chosen for the proposal because it mirrors the semantics of reshape and a few other operators, but None may be more intuitive.</p>
<h3 dir="auto">Support -1 (or None) for Tensor dimensions</h3>
<p dir="auto">Instead of implementing this at the Module level with lazy modules, implement this at the Tensor level. Have Tensors be able to be lazy- or partially-initialized, and then be able to be finalized with their final dimensions. This would solve most of the above drawbacks above, as for instance we’d always be making and setting all parameters, and it would also likely simplify its integration as all known useful cases of lazy dimensions eventually boil down to passing them to Tensors. However, it’s less clear what this implementation would look like, for instance how the Tensors would generically be able to infer the parameters.</p>
<h3 dir="auto">Lazy Parameters</h3>
<p dir="auto">If this were implemented at the Parameter level, it would require pretty radically increasing the complexity of how Parameters work, but could solve most of the drawbacks of this proposal while also leaving Tensor untouched. We can flesh out this design more if there is significant feedback in that direction.</p>
<h3 dir="auto">Support via metaclass vs non-metaclass</h3>
<p dir="auto">The current proposal implementation uses a metaclass for Lazy modules to introduce a novel initialization pattern for lazy components (this same pattern could eg. also be used to solve an analogous problems for Optimizer/Scheduler in the future). However, using metaclasses always comes at a cost in Python, especially for libraries that are being built on-top-of, because multiple inheritance in the case of multiple metaclasses is a problem with no generic solution. In other words, if any libraries built on top of pytorch want to use metaclasses in their own Module subclasses, they’ll need to do non-trivial work to make sure those metaclasses are compatible with any metaclass used in pytorch.<br>
The proposal could likely be modified to, for example, use a decorator on the <strong>init</strong> function instead of a metaclass.</p> | 1 |
<p dir="auto">hello<br>
I've found a bug that causes posts to be deleted when the terminal window is shrunk and stretched. Is there any way to fix this?<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/55746374/67385313-e2949580-f5cd-11e9-8266-4399bad99687.PNG"><img src="https://user-images.githubusercontent.com/55746374/67385313-e2949580-f5cd-11e9-8266-4399bad99687.PNG" alt="캡처" style="max-width: 100%;"></a><br>
this picture before I reduced the terminal window</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/55746374/67385367-f93aec80-f5cd-11e9-85a7-e1b4c873602f.PNG"><img src="https://user-images.githubusercontent.com/55746374/67385367-f93aec80-f5cd-11e9-85a7-e1b4c873602f.PNG" alt="캡처2" style="max-width: 100%;"></a><br>
this picture reduced the terminal window and expand again.</p>
<p dir="auto">I can't speak English very well so please understand me.<br>
and I'm first time to writing here, so if there's anything wrong, tell me!</p>
<p dir="auto">thank you.</p> | <h1 dir="auto">Environment</h1>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Windows build number: Windows 10.0.18363.476
Windows Terminal version (if applicable): Windows Terminal Preview v0.6.2951.0
ColorTool v1.0.1904.29002"><pre lang="none" class="notranslate"><code class="notranslate">Windows build number: Windows 10.0.18363.476
Windows Terminal version (if applicable): Windows Terminal Preview v0.6.2951.0
ColorTool v1.0.1904.29002
</code></pre></div>
<h1 dir="auto">Steps to reproduce</h1>
<p dir="auto">Applied <a href="https://raw.githubusercontent.com/mbadolato/iTerm2-Color-Schemes/master/schemes/Batman.itermcolors" rel="nofollow">this theme</a> via colortool. Perfectly works on the regular PowerShell and Command Prompt but not on the Terminal.</p>
<h1 dir="auto">Expected behavior</h1>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/34513961/69484986-e123ea80-0e63-11ea-8047-8a5adf1769cc.png"><img src="https://user-images.githubusercontent.com/34513961/69484986-e123ea80-0e63-11ea-8047-8a5adf1769cc.png" alt="image" style="max-width: 100%;"></a></p>
<h1 dir="auto">Actual behavior</h1>
<p dir="auto">Side by side comparison for cmd (Command Prompt):</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/34513961/69485131-5e039400-0e65-11ea-8986-90dea6f221eb.png"><img src="https://user-images.githubusercontent.com/34513961/69485131-5e039400-0e65-11ea-8986-90dea6f221eb.png" alt="image" style="max-width: 100%;"></a></p>
<p dir="auto">Side by side comparison for PowerShell:</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/34513961/69484998-17616a00-0e64-11ea-9bb3-57731019c18f.png"><img src="https://user-images.githubusercontent.com/34513961/69484998-17616a00-0e64-11ea-9bb3-57731019c18f.png" alt="image" style="max-width: 100%;"></a></p>
<h1 dir="auto">Workaround</h1>
<p dir="auto">Adding -x option in the command seems to fix the problem</p>
<p dir="auto">PowerShell:</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/34513961/69485174-18939680-0e66-11ea-841f-e250d36606d3.png"><img src="https://user-images.githubusercontent.com/34513961/69485174-18939680-0e66-11ea-841f-e250d36606d3.png" alt="image" style="max-width: 100%;"></a></p>
<p dir="auto">Command Prompt:</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/34513961/69485179-29440c80-0e66-11ea-9a3f-4816be6d4eb4.png"><img src="https://user-images.githubusercontent.com/34513961/69485179-29440c80-0e66-11ea-9a3f-4816be6d4eb4.png" alt="image" style="max-width: 100%;"></a></p> | 0 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.