text1
stringlengths
0
536k
text2
stringlengths
0
536k
label
int64
0
1
<p dir="auto">As part of emulating shadow DOM, we have to implement a solution for <em>loading</em> CSS inside of components.</p> <h4 dir="auto">Embedding style rules directly into the component template is undesirable</h4> <ul dir="auto"> <li>Makes templates harder to read</li> <li>Makes it much harder to use CSS pre-processors (sass, less)</li> <li>Would lead to duplicating "common" styles</li> </ul> <h4 dir="auto">Problems</h4> <ul dir="auto"> <li>The <code class="notranslate">&lt;link&gt;</code> element (the normal way of loading CSS) <a href="http://www.w3.org/TR/shadow-dom/#inert-html-elements" rel="nofollow">is inert in shadow DOM</a>.</li> <li>CSS <code class="notranslate">@import</code> is generally <a href="https://developers.google.com/web/fundamentals/performance/critical-rendering-path/page-speed-rules-and-recommendations?hl=en" rel="nofollow">frowned</a> <a href="https://developer.yahoo.com/performance/rules.html#csslink" rel="nofollow">upon</a> <a href="https://www.modern.ie/en-us/performance/css-web-performance-optimizations" rel="nofollow">for</a> <a href="http://www.stevesouders.com/blog/2009/04/09/dont-use-import/" rel="nofollow">performance</a> <a href="http://stackoverflow.com/questions/1022695/difference-between-import-and-link-in-css" rel="nofollow">reasons</a>.</li> </ul> <h4 dir="auto">Opportunity</h4> <p dir="auto">Since Angular will control how styles are actually rendered for a component (because of shadow DOM emulation), we can extend There are other ideathe process to give component authors more power.</p> <h3 dir="auto">Proposal</h3> <p dir="auto">Angular core implements a directive to include a style file via URL. For discussion's sake, let's call this <code class="notranslate">&lt;ng-style&gt;</code> (it will probably end up being something like <code class="notranslate">&lt;style&gt;</code> or <code class="notranslate">&lt;link&gt;</code>, though):</p> <div class="highlight highlight-text-html-basic notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="&lt;!-- fancy-button.html --&gt; &lt;ng-style src=&quot;../my/style/file.css&quot;&gt; &lt;button class=&quot;super-fancy&quot;&gt;...&lt;/button&gt;"><pre class="notranslate"><span class="pl-c">&lt;!-- fancy-button.html --&gt;</span> <span class="pl-kos">&lt;</span><span class="pl-ent">ng-style</span> <span class="pl-c1">src</span>="<span class="pl-s">../my/style/file.css</span>"<span class="pl-kos">&gt;</span> <span class="pl-kos">&lt;</span><span class="pl-ent">button</span> <span class="pl-c1">class</span>="<span class="pl-s">super-fancy</span>"<span class="pl-kos">&gt;</span>...<span class="pl-kos">&lt;/</span><span class="pl-ent">button</span><span class="pl-kos">&gt;</span></pre></div> <p dir="auto">When <code class="notranslate">ng-style</code> is used in a Component with native shadow DOM, the output <code class="notranslate">&lt;style&gt;</code> element is rendered inside of the shadow DOM for each component. When using emulated shadow DOM, one common<code class="notranslate">&lt;style&gt;</code> element is added to the document head for all component instances.</p> <p dir="auto"><code class="notranslate">ng-style</code> can also be used to provide component authors a means through which to apply some arbitrary transformation to the embedded style. This could look vaguely something like:</p> <div class="highlight highlight-text-html-basic notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="&lt;!-- fancy-button.html --&gt; &lt;ng-style src=&quot;../my/style/file.css&quot; transform=&quot;MaterialThemeTransformer&quot;&gt; &lt;button class=&quot;super-fancy&quot;&gt;...&lt;/button&gt;"><pre class="notranslate"><span class="pl-c">&lt;!-- fancy-button.html --&gt;</span> <span class="pl-kos">&lt;</span><span class="pl-ent">ng-style</span> <span class="pl-c1">src</span>="<span class="pl-s">../my/style/file.css</span>" <span class="pl-c1">transform</span>="<span class="pl-s">MaterialThemeTransformer</span>"<span class="pl-kos">&gt;</span> <span class="pl-kos">&lt;</span><span class="pl-ent">button</span> <span class="pl-c1">class</span>="<span class="pl-s">super-fancy</span>"<span class="pl-kos">&gt;</span>...<span class="pl-kos">&lt;/</span><span class="pl-ent">button</span><span class="pl-kos">&gt;</span></pre></div> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="class MaterialThemeTransformer { transform(input: string): string { // do some transformation } }"><pre class="notranslate"><span class="pl-k">class</span> <span class="pl-v">MaterialThemeTransformer</span> <span class="pl-kos">{</span> <span class="pl-en">transform</span><span class="pl-kos">(</span><span class="pl-s1">input</span>: <span class="pl-s1">string</span><span class="pl-kos">)</span>: <span class="pl-s1">string</span> <span class="pl-kos">{</span> <span class="pl-c">// do some transformation</span> <span class="pl-kos">}</span> <span class="pl-kos">}</span></pre></div> <p dir="auto">This is purposefully hand-waving a lot of details, but I just want to get the idea across. The main use-case I have in mind for this is creating style rules that are defined in terms of some theme (e.g, <code class="notranslate">background-color: {{primaryColor}}</code>)</p> <p dir="auto">This would let people do whatever arbitrary transformation on the incoming rules, including applying sass or less on the fly (if you wanted to do that for some reason). If CSS shimming is enabled, that process would occur after any user-defined transformations. The CSS shim itself could potentially just be another transform.</p> <h4 dir="auto">Other notes</h4> <p dir="auto">It's possible that this mechanism doesn't have to be so tightly coupled to styles, and could instead just be a part of how interceptors/transforms work for all http requests, depending on how http support looks when it's built.</p>
<p dir="auto">So having to use <code class="notranslate">ngOnIinit</code>, <code class="notranslate">ngOnChange</code> etc etc is a required changed so I think it should appear on breaking changes.</p> <p dir="auto">Cheers.</p>
0
<p dir="auto">When writing code using Typescript, too many 'this...' needs to be used.<br> In most places, it should be automatically inferred. Makes code look lot nicer</p> <p dir="auto"><strong>TypeScript Version:</strong></p> <p dir="auto">1.7.5 / 1.8.0-beta / nightly (1.9.0-dev.20160217)</p> <p dir="auto"><strong>Code</strong></p> <div class="highlight highlight-source-ts notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="// A self-contained demonstration of the problem follows... "><pre class="notranslate"><span class="pl-c">// A self-contained demonstration of the problem follows...</span></pre></div> <p dir="auto"><strong>Expected behavior:</strong></p> <p dir="auto"><strong>Actual behavior:</strong></p>
<p dir="auto">The need to prefix all calls to methods and variables in the class body with the <strong>this</strong> keyword makes the code harder to read and look cluttered.</p> <p dir="auto">Instead the TypeScript compiler could add the <strong>this</strong> keyword automatically during the compilation to JavaScript. This would make code that looks like this…</p> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var something = this.doSomething(this.getSomething()); this.addSomething(something);"><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">something</span> <span class="pl-c1">=</span> <span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-en">doSomething</span><span class="pl-kos">(</span><span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-en">getSomething</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">this</span><span class="pl-kos">.</span><span class="pl-en">addSomething</span><span class="pl-kos">(</span><span class="pl-s1">something</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div> <p dir="auto">look like..</p> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var something = doSomething(getSomething()); addSomething(something);"><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">something</span> <span class="pl-c1">=</span> <span class="pl-en">doSomething</span><span class="pl-kos">(</span><span class="pl-en">getSomething</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">addSomething</span><span class="pl-kos">(</span><span class="pl-s1">something</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div> <p dir="auto">If I’m not mistaken it should be easy to determine if the <strong>this</strong> keyword should be prefixed or not. I know that TypeScript tries to resemble the ES6 syntax. But to me code clarity feels more important.</p>
1
<p dir="auto">Fresh application, made by create-react-app (4.0.3)<br> Launching DevServer via npm run start.<br> White screen, and error at<br> react-refresh/cjs/react-refresh-runtime.development.js<br> line number 465:<br> hook.renderers.forEach</p> <p dir="auto">hook.renderers is undefined.<br> hook object has only "_renderers" empty object property</p> <p dir="auto">If write this line with hook.renderers&amp;&amp;hook.renderers.forEach, page appears, live reload works.</p> <p dir="auto">React version:<br> 17.0.2<br> react-refresh version:<br> 0.8.3 / 0.10.0<br> Chrome version:<br> 89.0.4389.114</p> <h2 dir="auto">Steps To Reproduce</h2> <p dir="auto">just run dev server via "npm run start."</p> <p dir="auto">I can reproduce it only at my enterprice workstation.<br> At my home pc, this works without issue.</p> <h2 dir="auto">The current behavior</h2> <p dir="auto">White screen</p> <h2 dir="auto">The expected behavior</h2> <p dir="auto">Working dev server</p>
<h3 dir="auto">Website or app</h3> <p dir="auto"><a href="http://bestellen-a.cito.nl" rel="nofollow">http://bestellen-a.cito.nl</a></p> <h3 dir="auto">Repro steps</h3> <p dir="auto">Just opening the console and going to Components or Profiler shows this error.</p> <p dir="auto">I noticed that in the console there are two warnings for contentScript.js (I am assuming this file is part of this extension):<br> <br> contentScript.js:113 [Violation] 'message' handler took 210ms<br> contentScript.js:113 [Violation] 'message' handler took 891ms</p> <h3 dir="auto">How often does this bug happen?</h3> <p dir="auto">Sometimes</p> <h3 dir="auto">DevTools package (automated)</h3> <p dir="auto">react-devtools-extensions</p> <h3 dir="auto">DevTools version (automated)</h3> <p dir="auto">4.24.0-82762bea5</p> <h3 dir="auto">Error message (automated)</h3> <p dir="auto">Cannot add node "1" because a node with that id is already in the Store.</p> <h3 dir="auto">Error call stack (automated)</h3> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="at chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:26326:41 at bridge_Bridge.emit (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:24400:22) at chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:24566:14 at listener (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:54300:39)"><pre lang="text" class="notranslate"><code class="notranslate">at chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:26326:41 at bridge_Bridge.emit (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:24400:22) at chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:24566:14 at listener (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:54300:39) </code></pre></div> <h3 dir="auto">Error component stack (automated)</h3> <p dir="auto"><em>No response</em></p> <h3 dir="auto">GitHub query string (automated)</h3> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="https://api.github.com/search/issues?q=Cannot add node because a node with that id is already in the Store. in:title is:issue is:open is:public label:&quot;Component: Developer Tools&quot; repo:facebook/react"><pre lang="text" class="notranslate"><code class="notranslate">https://api.github.com/search/issues?q=Cannot add node because a node with that id is already in the Store. in:title is:issue is:open is:public label:"Component: Developer Tools" repo:facebook/react </code></pre></div>
0
<p dir="auto">There was a request to the firebase-talk@ list about using Firebase Phone Number Authentication with Flutter.</p> <p dir="auto">Docs:</p> <ul dir="auto"> <li><a href="https://firebase.google.com/docs/auth/ios/phone-auth" rel="nofollow">https://firebase.google.com/docs/auth/ios/phone-auth</a></li> <li><a href="https://firebase.google.com/docs/auth/android/phone-auth" rel="nofollow">https://firebase.google.com/docs/auth/android/phone-auth</a></li> </ul>
1
<h3 dir="auto">Preflight Checklist</h3> <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 <a href="https://github.com/electron/electron/blob/master/CONTRIBUTING.md">Contributing Guidelines</a> for this project.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I agree to follow the <a href="https://github.com/electron/electron/blob/master/CODE_OF_CONDUCT.md">Code of Conduct</a> that this project adheres to.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://www.github.com/electron/electron/issues">issue tracker</a> for a feature request that matches the one I want to file, without success.</li> </ul> <h3 dir="auto">Electron Version</h3> <p dir="auto">10.3.2</p> <h3 dir="auto">What operating system are you using?</h3> <p dir="auto">Windows</p> <h3 dir="auto">Operating System Version</h3> <p dir="auto">Windows 10</p> <h3 dir="auto">What arch are you using?</h3> <p dir="auto">x64</p> <h3 dir="auto">Last Known Working Electron version</h3> <p dir="auto">None</p> <h3 dir="auto">Expected Behavior</h3> <p dir="auto">Electron should respect to the OS's date/time format settings.</p> <h3 dir="auto">Actual Behavior</h3> <p dir="auto">Electron only uses the date/time format for the OS's current locale.</p> <h3 dir="auto">Testcase Gist URL</h3> <p dir="auto"><em>No response</em></p> <p dir="auto">Rehash of <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="324961942" data-permission-text="Title is private" data-url="https://github.com/electron/electron/issues/13023" data-hovercard-type="issue" data-hovercard-url="/electron/electron/issues/13023/hovercard" href="https://github.com/electron/electron/issues/13023">#13023</a>.</p>
<h2 dir="auto"><strong>Is your feature request related to a problem? Please describe.</strong></h2> <p dir="auto">I think Tray icons shouldn't be restricted to PNG &amp; JPG<br> SVG support can provide dynamic icon generation in Tray on the fly for use cases like <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="336886611" data-permission-text="Title is private" data-url="https://github.com/electron/electron/issues/13500" data-hovercard-type="issue" data-hovercard-url="/electron/electron/issues/13500/hovercard" href="https://github.com/electron/electron/issues/13500">#13500</a></p> <h2 dir="auto"><strong>Describe the solution you'd like</strong></h2> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="new Tray(&quot;/path/to/svg&quot;)"><pre class="notranslate"><span class="pl-k">new</span> <span class="pl-v">Tray</span><span class="pl-kos">(</span><span class="pl-s">"/path/to/svg"</span><span class="pl-kos">)</span></pre></div> <h2 dir="auto"><strong>Describe alternatives you've considered</strong></h2> <p dir="auto">Alternatives are static PNGs or JPGs for every Icon. Suppose we have 30 types of Tray Icons with 30 different colours, then with PNGs or JPGs we have to add 30 static icons but if we have SVG support, we can just have 1 icon that adapts to 30 different colors</p> <h2 dir="auto"><strong>Additional context</strong></h2> <p dir="auto">Related <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="232710616" data-permission-text="Title is private" data-url="https://github.com/electron/electron/issues/9642" data-hovercard-type="issue" data-hovercard-url="/electron/electron/issues/9642/hovercard" href="https://github.com/electron/electron/issues/9642">#9642</a> &amp; <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="233385418" data-permission-text="Title is private" data-url="https://github.com/electron/electron/issues/9661" data-hovercard-type="issue" data-hovercard-url="/electron/electron/issues/9661/hovercard" href="https://github.com/electron/electron/issues/9661">#9661</a></p>
0
<p dir="auto"><a href="https://k8s-gubernator.appspot.com/build/kubernetes-jenkins/logs/ci-kubernetes-e2e-gce-alpha-features-release-1.5/199/" rel="nofollow">https://k8s-gubernator.appspot.com/build/kubernetes-jenkins/logs/ci-kubernetes-e2e-gce-alpha-features-release-1.5/199/</a></p> <p dir="auto">Multiple broken tests:</p> <p dir="auto">Failed: [k8s.io] ESIPP [Slow][Feature:ExternalTrafficLocalOnly] should handle updates to source ip annotation [Slow][Feature:ExternalTrafficLocalOnly] {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/service.go:1404 Dec 1 05:37:12.863: Timeout waiting for service &quot;external-local&quot; to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342"><pre class="notranslate"><code class="notranslate">/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:1404 Dec 1 05:37:12.863: Timeout waiting for service "external-local" to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342 </code></pre></div> <p dir="auto">Issues about this test specifically: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="184316395" data-permission-text="Title is private" data-url="https://github.com/kubernetes/kubernetes/issues/35225" data-hovercard-type="issue" data-hovercard-url="/kubernetes/kubernetes/issues/35225/hovercard" href="https://github.com/kubernetes/kubernetes/issues/35225">#35225</a> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="184595587" data-permission-text="Title is private" data-url="https://github.com/kubernetes/kubernetes/issues/35347" data-hovercard-type="issue" data-hovercard-url="/kubernetes/kubernetes/issues/35347/hovercard" href="https://github.com/kubernetes/kubernetes/issues/35347">#35347</a></p> <p dir="auto">Failed: [k8s.io] ESIPP [Slow][Feature:ExternalTrafficLocalOnly] should only target nodes with endpoints [Slow][Feature:ExternalTrafficLocalOnly] {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/service.go:1253 Dec 1 05:57:29.884: Timeout waiting for service &quot;external-local&quot; to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342"><pre class="notranslate"><code class="notranslate">/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:1253 Dec 1 05:57:29.884: Timeout waiting for service "external-local" to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342 </code></pre></div> <p dir="auto">Failed: [k8s.io] ESIPP [Slow][Feature:ExternalTrafficLocalOnly] should work from pods [Slow][Feature:ExternalTrafficLocalOnly] {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/service.go:1298 Dec 1 04:56:40.193: Timeout waiting for service &quot;external-local&quot; to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342"><pre class="notranslate"><code class="notranslate">/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:1298 Dec 1 04:56:40.193: Timeout waiting for service "external-local" to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342 </code></pre></div> <p dir="auto">Failed: [k8s.io] ESIPP [Slow][Feature:ExternalTrafficLocalOnly] should work for type=LoadBalancer [Slow][Feature:ExternalTrafficLocalOnly] {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/service.go:1167 Dec 1 05:17:00.136: Timeout waiting for service &quot;external-local&quot; to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342"><pre class="notranslate"><code class="notranslate">/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:1167 Dec 1 05:17:00.136: Timeout waiting for service "external-local" to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342 </code></pre></div>
<p dir="auto"><a href="https://k8s-gubernator.appspot.com/build/kubernetes-jenkins/logs/ci-kubernetes-e2e-gce-alpha-features-release-1.5/186/" rel="nofollow">https://k8s-gubernator.appspot.com/build/kubernetes-jenkins/logs/ci-kubernetes-e2e-gce-alpha-features-release-1.5/186/</a></p> <p dir="auto">Multiple broken tests:</p> <p dir="auto">Failed: [k8s.io] ESIPP [Slow][Feature:ExternalTrafficLocalOnly] should work for type=LoadBalancer [Slow][Feature:ExternalTrafficLocalOnly] {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/service.go:1167 Nov 30 07:32:48.373: Timeout waiting for service &quot;external-local&quot; to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342"><pre class="notranslate"><code class="notranslate">/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:1167 Nov 30 07:32:48.373: Timeout waiting for service "external-local" to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342 </code></pre></div> <p dir="auto">Issues about this test specifically: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="187845440" data-permission-text="Title is private" data-url="https://github.com/kubernetes/kubernetes/issues/36389" data-hovercard-type="issue" data-hovercard-url="/kubernetes/kubernetes/issues/36389/hovercard" href="https://github.com/kubernetes/kubernetes/issues/36389">#36389</a></p> <p dir="auto">Failed: [k8s.io] ESIPP [Slow][Feature:ExternalTrafficLocalOnly] should work from pods [Slow][Feature:ExternalTrafficLocalOnly] {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/service.go:1298 Nov 30 07:53:03.395: Timeout waiting for service &quot;external-local&quot; to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342"><pre class="notranslate"><code class="notranslate">/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:1298 Nov 30 07:53:03.395: Timeout waiting for service "external-local" to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342 </code></pre></div> <p dir="auto">Failed: [k8s.io] ESIPP [Slow][Feature:ExternalTrafficLocalOnly] should only target nodes with endpoints [Slow][Feature:ExternalTrafficLocalOnly] {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/service.go:1253 Nov 30 08:13:18.207: Timeout waiting for service &quot;external-local&quot; to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342"><pre class="notranslate"><code class="notranslate">/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:1253 Nov 30 08:13:18.207: Timeout waiting for service "external-local" to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342 </code></pre></div> <p dir="auto">Issues about this test specifically: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="188177585" data-permission-text="Title is private" data-url="https://github.com/kubernetes/kubernetes/issues/36481" data-hovercard-type="issue" data-hovercard-url="/kubernetes/kubernetes/issues/36481/hovercard" href="https://github.com/kubernetes/kubernetes/issues/36481">#36481</a></p> <p dir="auto">Failed: [k8s.io] ESIPP [Slow][Feature:ExternalTrafficLocalOnly] should handle updates to source ip annotation [Slow][Feature:ExternalTrafficLocalOnly] {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/service.go:1404 Nov 30 08:33:27.879: Timeout waiting for service &quot;external-local&quot; to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342"><pre class="notranslate"><code class="notranslate">/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:1404 Nov 30 08:33:27.879: Timeout waiting for service "external-local" to have a load balancer /go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/service.go:2342 </code></pre></div> <p dir="auto">Issues about this test specifically: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="184316395" data-permission-text="Title is private" data-url="https://github.com/kubernetes/kubernetes/issues/35225" data-hovercard-type="issue" data-hovercard-url="/kubernetes/kubernetes/issues/35225/hovercard" href="https://github.com/kubernetes/kubernetes/issues/35225">#35225</a> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="184595587" data-permission-text="Title is private" data-url="https://github.com/kubernetes/kubernetes/issues/35347" data-hovercard-type="issue" data-hovercard-url="/kubernetes/kubernetes/issues/35347/hovercard" href="https://github.com/kubernetes/kubernetes/issues/35347">#35347</a></p>
1
<p dir="auto">I'm using django+celery on AWS Elastic Beanstalk using the SQS broker. I've got a periodic healthcheck issuing a trivial job (add two numbers). I'm currently on master, because 4.0.0rc4 has some critical bugs.</p> <p dir="auto">The celery worker is maxing out the CPU to 100%, but no jobs are getting processed.</p> <p dir="auto">The log is:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" -------------- celery@ip-172-31-52-97 v4.0.0rc4 (0today8) ---- **** ----- --- * *** * -- Linux-4.4.15-25.57.amzn1.x86_64-x86_64-with-glibc2.3.4 2016-09-30 15:04:21 -- * - **** --- - ** ---------- [config] - ** ---------- .&gt; app: innocence:0x7f1118595a58 - ** ---------- .&gt; transport: sqs://localhost// - ** ---------- .&gt; results: - *** --- * --- .&gt; concurrency: 1 (prefork) -- ******* ---- .&gt; task events: OFF (enable -E to monitor tasks in this worker) --- ***** ----- -------------- [queues] .&gt; celery exchange=celery(direct) key=celery [tasks] . health_check_celery3.tasks.add . innocence.celery.debug_task . maca.tasks.reconcile . wings.tasks.generate_quickbooks_import celery --app=innocence.celery:app worker --loglevel=INFO [2016-09-30 15:08:27,542: INFO/MainProcess] Connected to sqs://localhost// [2016-09-30 15:08:27,612: WARNING/MainProcess] celery@ip-172-31-52-97 ready. [2016-09-30 15:08:29,721: INFO/MainProcess] Received task: health_check_celery3.tasks.add[0f6f7b7f-ead1-4093-9c31-2e818615df9b] expires:[2016-09-30 15:06:49.282238+00:00] [2016-09-30 15:08:29,722: INFO/MainProcess] Discarding revoked task: health_check_celery3.tasks.add[0f6f7b7f-ead1-4093-9c31-2e818615df9b] [2016-09-30 15:08:29,730: INFO/MainProcess] Received task: health_check_celery3.tasks.add[6c46f583-2dc4-4f68-8c8a-2cff732e4a57] expires:[2016-09-30 15:07:19.295102+00:00] [2016-09-30 15:08:29,730: INFO/MainProcess] Discarding revoked task: health_check_celery3.tasks.add[6c46f583-2dc4-4f68-8c8a-2cff732e4a57] [2016-09-30 15:08:29,732: INFO/MainProcess] Received task: health_check_celery3.tasks.add[26e28e04-10f5-4e41-b1cb-a284b0eeca02] expires:[2016-09-30 15:08:07.423346+00:00] [2016-09-30 15:08:29,732: INFO/MainProcess] Discarding revoked task: health_check_celery3.tasks.add[26e28e04-10f5-4e41-b1cb-a284b0eeca02] [2016-09-30 15:08:29,733: INFO/MainProcess] Received task: health_check_celery3.tasks.add[c3b4de0f-d863-46df-b174-39fca55cffef] expires:[2016-09-30 14:02:01.752967+00:00] [2016-09-30 15:08:29,733: INFO/MainProcess] Discarding revoked task: health_check_celery3.tasks.add[c3b4de0f-d863-46df-b174-39fca55cffef]"><pre class="notranslate"><code class="notranslate"> -------------- celery@ip-172-31-52-97 v4.0.0rc4 (0today8) ---- **** ----- --- * *** * -- Linux-4.4.15-25.57.amzn1.x86_64-x86_64-with-glibc2.3.4 2016-09-30 15:04:21 -- * - **** --- - ** ---------- [config] - ** ---------- .&gt; app: innocence:0x7f1118595a58 - ** ---------- .&gt; transport: sqs://localhost// - ** ---------- .&gt; results: - *** --- * --- .&gt; concurrency: 1 (prefork) -- ******* ---- .&gt; task events: OFF (enable -E to monitor tasks in this worker) --- ***** ----- -------------- [queues] .&gt; celery exchange=celery(direct) key=celery [tasks] . health_check_celery3.tasks.add . innocence.celery.debug_task . maca.tasks.reconcile . wings.tasks.generate_quickbooks_import celery --app=innocence.celery:app worker --loglevel=INFO [2016-09-30 15:08:27,542: INFO/MainProcess] Connected to sqs://localhost// [2016-09-30 15:08:27,612: WARNING/MainProcess] celery@ip-172-31-52-97 ready. [2016-09-30 15:08:29,721: INFO/MainProcess] Received task: health_check_celery3.tasks.add[0f6f7b7f-ead1-4093-9c31-2e818615df9b] expires:[2016-09-30 15:06:49.282238+00:00] [2016-09-30 15:08:29,722: INFO/MainProcess] Discarding revoked task: health_check_celery3.tasks.add[0f6f7b7f-ead1-4093-9c31-2e818615df9b] [2016-09-30 15:08:29,730: INFO/MainProcess] Received task: health_check_celery3.tasks.add[6c46f583-2dc4-4f68-8c8a-2cff732e4a57] expires:[2016-09-30 15:07:19.295102+00:00] [2016-09-30 15:08:29,730: INFO/MainProcess] Discarding revoked task: health_check_celery3.tasks.add[6c46f583-2dc4-4f68-8c8a-2cff732e4a57] [2016-09-30 15:08:29,732: INFO/MainProcess] Received task: health_check_celery3.tasks.add[26e28e04-10f5-4e41-b1cb-a284b0eeca02] expires:[2016-09-30 15:08:07.423346+00:00] [2016-09-30 15:08:29,732: INFO/MainProcess] Discarding revoked task: health_check_celery3.tasks.add[26e28e04-10f5-4e41-b1cb-a284b0eeca02] [2016-09-30 15:08:29,733: INFO/MainProcess] Received task: health_check_celery3.tasks.add[c3b4de0f-d863-46df-b174-39fca55cffef] expires:[2016-09-30 14:02:01.752967+00:00] [2016-09-30 15:08:29,733: INFO/MainProcess] Discarding revoked task: health_check_celery3.tasks.add[c3b4de0f-d863-46df-b174-39fca55cffef] </code></pre></div> <p dir="auto"><code class="notranslate">c3b4de0f-d863-46df-b174-39fca55cffef</code> is the only task I've noticed is repeating.</p> <p dir="auto">I can't find any other even slightly relevant logs entries.</p> <p dir="auto">Really, all I know is that the queue isn't getting shorter, and the CPU is maxed out.</p>
<p dir="auto">I am running celery with amazon SQS. In celery task, task is sending put request to a server using requests library of python. After successfully run task for first request. Celery Hangs with 100% cpu usage. Dont know whats going on.<br> The Strace Dump for hanging pid is --&gt;&gt;<br> futex(0x999104, FUTEX_WAKE_OP_PRIVATE, 1, 1, 0x999100, {FUTEX_OP_SET, 0, FUTEX_OP_CMP_GT, 1}) = 1<br> futex(0x999140, FUTEX_WAKE_PRIVATE, 1) = 1<br> futex(0x999104, FUTEX_WAKE_OP_PRIVATE, 1, 1, 0x999100, {FUTEX_OP_SET, 0, FUTEX_OP_CMP_GT, 1}) = 1<br> futex(0x999140, FUTEX_WAKE_PRIVATE, 1) = 1<br> futex(0x999104, FUTEX_WAKE_OP_PRIVATE, 1, 1, 0x999100, {FUTEX_OP_SET, 0, FUTEX_OP_CMP_GT, 1}) = 1<br> futex(0x999140, FUTEX_WAKE_PRIVATE, 1) = 1<br> futex(0x999104, FUTEX_WAKE_OP_PRIVATE, 1, 1, 0x999100, {FUTEX_OP_SET, 0, FUTEX_OP_CMP_GT, 1}) = 1<br> futex(0x999140, FUTEX_WAKE_PRIVATE, 1) = 1<br> futex(0x999104, FUTEX_WAKE_OP_PRIVATE, 1, 1, 0x999100, {FUTEX_OP_SET, 0, FUTEX_OP_CMP_GT, 1}) = 1<br> futex(0x999140, FUTEX_WAKE_PRIVATE, 1) = 1<br> futex(0x999104, FUTEX_WAKE_OP_PRIVATE, 1, 1, 0x999100, {FUTEX_OP_SET, 0, FUTEX_OP_CMP_GT, 1}) = 1<br> futex(0x999140, FUTEX_WAKE_PRIVATE, 1) = 1</p> <p dir="auto">Configuration --&gt;&gt;<br> celery == 4.0.2<br> kombu == 4</p>
1
<p dir="auto">When using the following string:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" query = &quot;INSERT INTO `#{testTable}` ( d_id, job_id, created_at, updated_at, first_name, last_name, phone, zip, start_time, duration, recording ) VALUES ( #{d.id}, #{job.id}, '#{escapeIt(body.start_time)}', '#{escapeIt(body.start_time)}', '#{escapeIt(body.first_name)}', '#{escapeIt(body.last_name)}', '#{escapeIt(body.caller_id)}', '#{escapeIt(d.zip)}', '#{escapeIt(body.start_time)}', #{escapeIt(body.call_duration)}, '#{escapeIt(recording)}' )&quot;"><pre class="notranslate"><code class="notranslate"> query = "INSERT INTO `#{testTable}` ( d_id, job_id, created_at, updated_at, first_name, last_name, phone, zip, start_time, duration, recording ) VALUES ( #{d.id}, #{job.id}, '#{escapeIt(body.start_time)}', '#{escapeIt(body.start_time)}', '#{escapeIt(body.first_name)}', '#{escapeIt(body.last_name)}', '#{escapeIt(body.caller_id)}', '#{escapeIt(d.zip)}', '#{escapeIt(body.start_time)}', #{escapeIt(body.call_duration)}, '#{escapeIt(recording)}' )" </code></pre></div> <p dir="auto">and selecting Coffeescript for the syntax highlighting, it thinks I have an open string somewhere in that line. When I go to the next line, my syntax highlighting is still showing green like there's a string I haven't closed. JS2Coffee and Coffeescript.org both say the code is valid, which leads me to believe this is a bug.</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&quot;SSID: &quot; + RememberedNetwork[&quot;SSIDString&quot;].decode(&quot;utf-8&quot;) + u&quot; - BSSID: &quot; + RememberedNetwork[&quot;CachedScanRecord&quot;][&quot;BSSID&quot;] + u&quot; - RSSI: &quot; + str(RememberedNetwork[&quot;CachedScanRecord&quot;][&quot;RSSI&quot;]) + u&quot; - Last connected: &quot; + str(RememberedNetwork[&quot;LastConnected&quot;]) + u&quot; - Security type: &quot; + RememberedNetwork[&quot;SecurityType&quot;] + u&quot; - Geolocation: &quot; + Geolocation, &quot;INFO&quot;)"><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
<p dir="auto">It seems like a common problem I am seeing developers new to ES struggling with is how to fit the pieces of the query DSL together. Returning more structured feedback about what the query DSL is expecting feels like it would help.</p> <p dir="auto">Some examples from helping someone recently:</p> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="'filter' : { 'not' : { 'post_id' : [ 1, 2 ] } },"><pre class="notranslate"><span class="pl-s">'filter'</span> : <span class="pl-kos">{</span> <span class="pl-s">'not'</span> : <span class="pl-kos">{</span> <span class="pl-s">'post_id'</span> : <span class="pl-kos">[</span> <span class="pl-c1">1</span><span class="pl-kos">,</span> <span class="pl-c1">2</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">Problem here is the NOT filter should have a filter inside of it rather than a field name</p> <p dir="auto">If the error response could return the type of expected data at each level that would aid debugging. For example this could return:<br> "filter": { "not" : "error: expects a filter" } }</p> <p dir="auto">Another case:</p> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="'filter' : { 'and' : { 'terms' : { 'post_type' : ['post'] }, 'not' : { 'terms' : { 'post_id' : [1, 2] } } } },"><pre class="notranslate"><span class="pl-s">'filter'</span> : <span class="pl-kos">{</span> <span class="pl-s">'and'</span> : <span class="pl-kos">{</span> <span class="pl-s">'terms'</span> : <span class="pl-kos">{</span> <span class="pl-s">'post_type'</span> : <span class="pl-kos">[</span><span class="pl-s">'post'</span><span class="pl-kos">]</span> <span class="pl-kos">}</span><span class="pl-kos">,</span> <span class="pl-s">'not'</span> : <span class="pl-kos">{</span> <span class="pl-s">'terms'</span> : <span class="pl-kos">{</span> <span class="pl-s">'post_id'</span> : <span class="pl-kos">[</span><span class="pl-c1">1</span><span class="pl-kos">,</span> <span class="pl-c1">2</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">Error:<br> "filter": { "and": "error: expects an array of filter objects" } }</p> <p dir="auto">With more complex nesting:</p> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="'filter' : { 'and' : [ { 'terms' : { 'post_type' : ['post'] } }, { 'not' : { 'post_id' : [1,2] } } ] }"><pre class="notranslate"><span class="pl-s">'filter'</span> : <span class="pl-kos">{</span> <span class="pl-s">'and'</span> : <span class="pl-kos">[</span> <span class="pl-kos">{</span> <span class="pl-s">'terms'</span> : <span class="pl-kos">{</span> <span class="pl-s">'post_type'</span> : <span class="pl-kos">[</span><span class="pl-s">'post'</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">'not'</span> : <span class="pl-kos">{</span> <span class="pl-s">'post_id'</span> : <span class="pl-kos">[</span><span class="pl-c1">1</span><span class="pl-kos">,</span><span class="pl-c1">2</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">Error:<br> "filter": { "and": [{"terms" : "ok"}, {"not" : "error: expects a filter"} } }</p> <p dir="auto">Not entirely sure how feasible this is, or if there is better syntax or a more standard method for reporting such structured errors.</p>
<p dir="auto">Errors returned by the REST API are not easily human readable due to the way the data is stored in the <code class="notranslate">error</code> property.<br> Eg. <a href="https://gist.github.com/missinglink/e3cb9b127ae00e8c561c">https://gist.github.com/missinglink/e3cb9b127ae00e8c561c</a></p> <p dir="auto">You can 'prettify' the results, but it is still un-readable.<br> Eg. <a href="https://gist.github.com/pecke01/5956684">https://gist.github.com/pecke01/5956684</a></p> <p dir="auto">Note: (this specific error was caused by invalid syntax, the outer curly brackets were missing)</p> <p dir="auto">This issue makes it difficult for beginners to understand syntax errors and for advanced users to debug quickly when they make silly errors.</p> <p dir="auto">Ideally usage of <code class="notranslate">?pretty=1</code> would return "developer friendly" messages.</p> <p dir="auto">Any thoughts / suggestions? Maybe there is a tool which may help?</p>
1
<h3 dir="auto">Preflight Checklist</h3> <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 <a href="https://github.com/electron/electron/blob/master/CONTRIBUTING.md">Contributing Guidelines</a> for this project.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I agree to follow the <a href="https://github.com/electron/electron/blob/master/CODE_OF_CONDUCT.md">Code of Conduct</a> that this project adheres to.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://www.github.com/electron/electron/issues">issue tracker</a> for a feature request that matches the one I want to file, without success.</li> </ul> <h3 dir="auto">Electron Version</h3> <p dir="auto">13.1.4</p> <h3 dir="auto">What operating system are you using?</h3> <p dir="auto">macOS</p> <h3 dir="auto">Operating System Version</h3> <p dir="auto">macOS 11.3</p> <h3 dir="auto">What arch are you using?</h3> <p dir="auto">arm64 (including Apple Silicon)</p> <h3 dir="auto">Last Known Working Electron version</h3> <p dir="auto">11.0.0</p> <h3 dir="auto">Expected Behavior</h3> <p dir="auto">exit the app without crash report.</p> <h3 dir="auto">Actual Behavior</h3> <p dir="auto">when I close the window to exit the app.A crash report was created.</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Process: Electron [10003] Path: /Users/USER/*/Electron.app/Contents/MacOS/Electron Identifier: com.github.Electron Version: 13.1.4 (13.1.4) Code Type: X86-64 (Translated) Parent Process: ??? [1] Responsible: Electron [10003] User ID: 501 Date/Time: 2021-07-06 11:51:32.618 +0800 OS Version: macOS 11.3 (20E232) Report Version: 12 Anonymous UUID: 920BC302-18F0-23AB-6F72-ACEC8FC75206 Time Awake Since Boot: 88000 seconds System Integrity Protection: enabled Crashed Thread: 0 CrBrowserMain Dispatch queue: com.apple.main-thread Exception Type: EXC_BAD_ACCESS (SIGSEGV) Exception Codes: KERN_INVALID_ADDRESS at 0x00007cad9e224738 Exception Note: EXC_CORPSE_NOTIFY Termination Signal: Segmentation fault: 11 Termination Reason: Namespace SIGNAL, Code 0xb Terminating Process: exc handler [10003] VM Regions Near 0x7cad9e224738: MALLOC_NANO (reserved) 600008000000-600020000000 [384.0M] rw-/rwx SM=NUL reserved VM address space (unallocated) --&gt; MALLOC_TINY 7fbbd9c00000-7fbbd9d00000 [ 1024K] rw-/rwx SM=PRV Application Specific Information: objc_msgSend() selector name: invalidate Thread 0 Crashed:: CrBrowserMain Dispatch queue: com.apple.main-thread 0 libobjc.A.dylib 0x00007fff2029479d objc_msgSend + 29 1 com.github.Electron.framework 0x000000010c99e684 -[ElectronNSWindowDelegate windowWillClose:] + 36 (electron_ns_window_delegate.mm:251) 2 com.apple.CoreFoundation 0x00007fff204e4e89 __CFNOTIFICATIONCENTER_IS_CALLING_OUT_TO_AN_OBSERVER__ + 12 3 com.apple.CoreFoundation 0x00007fff20580848 ___CFXRegistrationPost_block_invoke + 49 4 com.apple.CoreFoundation 0x00007fff205807c5 _CFXRegistrationPost + 454 5 com.apple.CoreFoundation 0x00007fff204b5f24 _CFXNotificationPost + 795 6 com.apple.Foundation 0x00007fff2114b2c8 -[NSNotificationCenter postNotificationName:object:userInfo:] + 59 7 com.apple.AppKit 0x00007fff234c6e5b -[NSWindow _finishClosingWindow] + 124 8 com.apple.AppKit 0x00007fff22f58160 -[NSWindow _close] + 347 9 com.github.Electron.framework 0x000000010c9909eb electron::NativeWindowMac::CloseImmediately() + 59 (native_window_mac.mm:494) 10 com.github.Electron.framework 0x000000010c92982c electron::WindowList::DestroyAllWindows() + 284 (window_list.cc:113) 11 com.github.Electron.framework 0x000000010c8cdefb electron::Browser::Exit(gin::Arguments*) + 91 (browser.cc:113) 12 com.github.Electron.framework 0x000000010fe344de Run + 9 (callback.h:169) [inlined] 13 com.github.Electron.framework 0x000000010fe344de DispatchToCallback + 9 (function_template.h:177) [inlined] 14 com.github.Electron.framework 0x000000010fe344de gin::internal::Dispatcher&lt;void (gin::Arguments*)&gt;::DispatchToCallbackImpl(gin::Arguments*) + 94 (function_template.h:209) 15 com.github.Electron.framework 0x000000010fe343f8 gin::internal::Dispatcher&lt;void (gin::Arguments*)&gt;::DispatchToCallback(v8::FunctionCallbackInfo&lt;v8::Value&gt; const&amp;) + 56 (function_template.h:215) 16 com.github.Electron.framework 0x000000010cffe3cf Call + 246 (api-arguments-inl.h:158) [inlined] 17 com.github.Electron.framework 0x000000010cffe3cf HandleApiCallHelper&lt;false&gt; + 576 (builtins-api.cc:113) [inlined] 18 com.github.Electron.framework 0x000000010cffe3cf Builtin_Impl_HandleApiCall + 703 (builtins-api.cc:143) [inlined] 19 com.github.Electron.framework 0x000000010cffe3cf v8::internal::Builtin_HandleApiCall(int, unsigned long*, v8::internal::Isolate*) + 815 (builtins-api.cc:131) 20 ??? 0x00000078000b23b8 ??? 21 ??? 0x0000007800049541 ??? 22 ??? 0x000000780023df46 ??? 23 ??? 0x0000007800049541 ??? 24 ??? 0x000000780023df46 ??? 25 ??? 0x00000078000475fb ??? 26 ??? 0x0000007800047383 ??? 27 com.github.Electron.framework 0x000000010d0730eb Call + 21 (simulator.h:144) [inlined] 28 com.github.Electron.framework 0x000000010d0730eb Invoke + 513 (execution.cc:372) [inlined] 29 com.github.Electron.framework 0x000000010d0730eb v8::internal::Execution::Call(v8::internal::Isolate*, v8::internal::Handle&lt;v8::internal::Object&gt;, v8::internal::Handle&lt;v8::internal::Object&gt;, int, v8::internal::Handle&lt;v8::internal::Object&gt;*) + 667 (execution.cc:466) 30 com.github.Electron.framework 0x000000010cfd10e3 v8::Function::Call(v8::Local&lt;v8::Context&gt;, v8::Local&lt;v8::Value&gt;, int, v8::Local&lt;v8::Value&gt;*) + 579 (api.cc:4969) 31 com.github.Electron.framework 0x000000010fbefe03 node::InternalMakeCallback(node::Environment*, v8::Local&lt;v8::Object&gt;, v8::Local&lt;v8::Object&gt;, v8::Local&lt;v8::Function&gt;, int, v8::Local&lt;v8::Value&gt;*, node::async_context) + 467 (callback.cc:191) 32 com.github.Electron.framework 0x000000010fbf0106 node::MakeCallback(v8::Isolate*, v8::Local&lt;v8::Object&gt;, v8::Local&lt;v8::Function&gt;, int, v8::Local&lt;v8::Value&gt;*, node::async_context) + 182 (callback.cc:260) 33 com.github.Electron.framework 0x000000010c953abc gin_helper::internal::CallMethodWithArgs(v8::Isolate*, v8::Local&lt;v8::Object&gt;, char const*, std::__1::vector&lt;v8::Local&lt;v8::Value&gt;, std::__1::allocator&lt;v8::Local&lt;v8::Value&gt; &gt; &gt;*) + 92 (event_emitter_caller.cc:23) 34 com.github.Electron.framework 0x000000010c835fc7 EmitEvent&lt;base::BasicStringPiece&lt;char&gt;, v8::Local&lt;v8::Object&gt; &amp;&gt; + 89 (event_emitter_caller.h:51) [inlined] 35 com.github.Electron.framework 0x000000010c835fc7 bool gin_helper::EventEmitter&lt;electron::api::BaseWindow&gt;::EmitWithEvent&lt;&gt;(base::BasicStringPiece&lt;char&gt;, v8::Local&lt;v8::Object&gt;) + 151 (event_emitter.h:86) 36 com.github.Electron.framework 0x000000010c82e6ee bool gin_helper::EventEmitter&lt;electron::api::BaseWindow&gt;::Emit&lt;&gt;(base::BasicStringPiece&lt;char&gt;) + 126 (event_emitter.h:70) 37 com.github.Electron.framework 0x000000010c82e8e9 electron::api::BaseWindow::OnWindowClosed() + 409 (electron_api_base_window.cc:164) 38 com.github.Electron.framework 0x000000010c8ec56c electron::NativeWindow::NotifyWindowClosed() + 316 (native_window.cc:424) 39 com.github.Electron.framework 0x000000010c99e68d -[ElectronNSWindowDelegate windowWillClose:] + 45 (electron_ns_window_delegate.mm:252) 40 com.apple.CoreFoundation 0x00007fff204e4e89 __CFNOTIFICATIONCENTER_IS_CALLING_OUT_TO_AN_OBSERVER__ + 12 41 com.apple.CoreFoundation 0x00007fff20580848 ___CFXRegistrationPost_block_invoke + 49 42 com.apple.CoreFoundation 0x00007fff205807c5 _CFXRegistrationPost + 454 43 com.apple.CoreFoundation 0x00007fff204b5f24 _CFXNotificationPost + 795 44 com.apple.Foundation 0x00007fff2114b2c8 -[NSNotificationCenter postNotificationName:object:userInfo:] + 59 45 com.apple.AppKit 0x00007fff234c6e5b -[NSWindow _finishClosingWindow] + 124 46 com.apple.AppKit 0x00007fff22f58160 -[NSWindow _close] + 347 47 com.github.Electron.framework 0x000000010c9909eb electron::NativeWindowMac::CloseImmediately() + 59 (native_window_mac.mm:494) 48 com.github.Electron.framework 0x000000010c8409f6 electron::api::BrowserWindow::OnCloseContents() + 214 (electron_api_browser_window.cc:200) 49 com.github.Electron.framework 0x000000010c898fdf electron::api::WebContents::CloseContents(content::WebContents*) + 383 (electron_api_web_contents.cc:1151) 50 com.github.Electron.framework 0x000000010ddc295c content::WebContentsImpl::Close(content::RenderViewHost*) + 124 (web_contents_impl.cc:6910) 51 com.github.Electron.framework 0x000000010ce1cf31 Run + 14 (callback.h:101) [inlined] 52 com.github.Electron.framework 0x000000010ce1cf31 blink::mojom::LocalMainFrame_ClosePage_ForwardToCallback::Accept(mojo::Message*) + 49 (frame.mojom.cc:15730) 53 com.github.Electron.framework 0x000000010e313ff3 HandleValidatedMessage + 894 (interface_endpoint_client.cc:549) [inlined] 54 com.github.Electron.framework 0x000000010e313ff3 mojo::InterfaceEndpointClient::HandleIncomingMessageThunk::Accept(mojo::Message*) + 947 (interface_endpoint_client.cc:140) 55 com.github.Electron.framework 0x000000010e316355 mojo::MessageDispatcher::Accept(mojo::Message*) + 85 (message_dispatcher.cc:43) 56 com.github.Electron.framework 0x000000010e4cbaef IPC::(anonymous namespace)::ChannelAssociatedGroupController::AcceptOnProxyThread(mojo::Message) + 255 (ipc_mojo_bootstrap.cc:945) 57 com.github.Electron.framework 0x000000010e4c982f Invoke&lt;void (IPC::(anonymous namespace)::ChannelAssociatedGroupController::*)(mojo::Message), scoped_refptr&lt;IPC::(anonymous namespace)::ChannelAssociatedGroupController&gt;, mojo::Message&gt; + 17 (bind_internal.h:509) [inlined] 58 com.github.Electron.framework 0x000000010e4c982f MakeItSo&lt;void (IPC::(anonymous namespace)::ChannelAssociatedGroupController::*)(mojo::Message), scoped_refptr&lt;IPC::(anonymous namespace)::ChannelAssociatedGroupController&gt;, mojo::Message&gt; + 17 (bind_internal.h:648) [inlined] 59 com.github.Electron.framework 0x000000010e4c982f RunImpl&lt;void (IPC::(anonymous namespace)::ChannelAssociatedGroupController::*)(mojo::Message), std::tuple&lt;scoped_refptr&lt;IPC::(anonymous namespace)::ChannelAssociatedGroupController&gt;, mojo::Message&gt;, 0, 1&gt; + 46 (bind_internal.h:721) [inlined] 60 com.github.Electron.framework 0x000000010e4c982f base::internal::Invoker&lt;base::internal::BindState&lt;void (IPC::(anonymous namespace)::ChannelAssociatedGroupController::*)(mojo::Message), scoped_refptr&lt;IPC::(anonymous namespace)::ChannelAssociatedGroupController&gt;, mojo::Message&gt;, void ()&gt;::RunOnce(base::internal::BindStateBase*) + 63 (bind_internal.h:690) 61 com.github.Electron.framework 0x000000010e16d87c Run + 34 (callback.h:101) [inlined] 62 com.github.Electron.framework 0x000000010e16d87c base::TaskAnnotator::RunTask(char const*, base::PendingTask*) + 316 (task_annotator.cc:173) 63 com.github.Electron.framework 0x000000010e185b66 non-virtual thunk to base::sequence_manager::internal::ThreadControllerWithMessagePumpImpl::DoWork() + 1302 (thread_controller_with_message_pump_impl.cc:351) 64 com.github.Electron.framework 0x000000010e1bdb50 RunWork + 46 (message_pump_mac.mm:384) [inlined] 65 com.github.Electron.framework 0x000000010e1bdb50 invocation function for block in base::MessagePumpCFRunLoopBase::RunWorkSource(void*) + 64 (message_pump_mac.mm:361) 66 com.github.Electron.framework 0x000000010e1ba132 base::mac::CallWithEHFrame(void () block_pointer) + 10 67 com.github.Electron.framework 0x000000010e1bd36f base::MessagePumpCFRunLoopBase::RunWorkSource(void*) + 63 (message_pump_mac.mm:360) 68 com.apple.CoreFoundation 0x00007fff204ef7dc __CFRUNLOOP_IS_CALLING_OUT_TO_A_SOURCE0_PERFORM_FUNCTION__ + 17 69 com.apple.CoreFoundation 0x00007fff204ef744 __CFRunLoopDoSource0 + 180 70 com.apple.CoreFoundation 0x00007fff204ef51c __CFRunLoopDoSources0 + 340 71 com.apple.CoreFoundation 0x00007fff204edec8 __CFRunLoopRun + 897 72 com.apple.CoreFoundation 0x00007fff204ed480 CFRunLoopRunSpecific + 567 73 com.apple.HIToolbox 0x00007fff28971203 RunCurrentEventLoopInMode + 292 74 com.apple.HIToolbox 0x00007fff28970f65 ReceiveNextEventCommon + 587 75 com.apple.HIToolbox 0x00007fff28970d03 _BlockUntilNextEventMatchingListInModeWithFilter + 70 76 com.apple.AppKit 0x00007fff22c13b32 _DPSNextEvent + 864 77 com.apple.AppKit 0x00007fff22c12305 -[NSApplication(NSEvent) _nextEventMatchingEventMask:untilDate:inMode:dequeue:] + 1364 78 com.apple.AppKit 0x00007fff22c04679 -[NSApplication run] + 586 79 com.github.Electron.framework 0x000000010e1be1f6 base::MessagePumpNSApplication::DoRun(base::MessagePump::Delegate*) + 86 (message_pump_mac.mm:717) 80 com.github.Electron.framework 0x000000010e1bce4b base::MessagePumpCFRunLoopBase::Run(base::MessagePump::Delegate*) + 107 (message_pump_mac.mm:157) 81 com.github.Electron.framework 0x000000010e186f3f base::sequence_manager::internal::ThreadControllerWithMessagePumpImpl::Run(bool, base::TimeDelta) + 111 (thread_controller_with_message_pump_impl.cc:460) 82 com.github.Electron.framework 0x000000010e15956c base::RunLoop::Run(base::Location const&amp;) + 140 (run_loop.cc:133) 83 com.github.Electron.framework 0x000000010dae1121 content::BrowserMainLoop::RunMainMessageLoop() + 113 (browser_main_loop.cc:992) 84 com.github.Electron.framework 0x000000010dae28a2 content::BrowserMainRunnerImpl::Run() + 18 (browser_main_runner_impl.cc:152) 85 com.github.Electron.framework 0x000000010dade7a4 content::BrowserMain(content::MainFunctionParams const&amp;) + 212 (browser_main.cc:47) 86 com.github.Electron.framework 0x000000010cf37a97 RunBrowserProcessMain + 47 (content_main_runner_impl.cc:598) [inlined] 87 com.github.Electron.framework 0x000000010cf37a97 content::ContentMainRunnerImpl::RunBrowser(content::MainFunctionParams&amp;, bool) + 1239 (content_main_runner_impl.cc:1081) 88 com.github.Electron.framework 0x000000010cf37598 content::ContentMainRunnerImpl::Run(bool) + 408 (content_main_runner_impl.cc:956) 89 com.github.Electron.framework 0x000000010cf366e6 content::RunContentProcess(content::ContentMainParams const&amp;, content::ContentMainRunner*) + 2054 (content_main.cc:372) 90 com.github.Electron.framework 0x000000010cf367d2 content::ContentMain(content::ContentMainParams const&amp;) + 50 (content_main.cc:398) 91 com.github.Electron.framework 0x000000010c814226 ElectronMain + 134 (electron_library_main.mm:24) 92 com.github.Electron 0x00000001044a97e6 main + 294 (electron_main.cc:276) 93 libdyld.dylib 0x00007fff20411f3d start + 1"><pre class="notranslate"><code class="notranslate">Process: Electron [10003] Path: /Users/USER/*/Electron.app/Contents/MacOS/Electron Identifier: com.github.Electron Version: 13.1.4 (13.1.4) Code Type: X86-64 (Translated) Parent Process: ??? [1] Responsible: Electron [10003] User ID: 501 Date/Time: 2021-07-06 11:51:32.618 +0800 OS Version: macOS 11.3 (20E232) Report Version: 12 Anonymous UUID: 920BC302-18F0-23AB-6F72-ACEC8FC75206 Time Awake Since Boot: 88000 seconds System Integrity Protection: enabled Crashed Thread: 0 CrBrowserMain Dispatch queue: com.apple.main-thread Exception Type: EXC_BAD_ACCESS (SIGSEGV) Exception Codes: KERN_INVALID_ADDRESS at 0x00007cad9e224738 Exception Note: EXC_CORPSE_NOTIFY Termination Signal: Segmentation fault: 11 Termination Reason: Namespace SIGNAL, Code 0xb Terminating Process: exc handler [10003] VM Regions Near 0x7cad9e224738: MALLOC_NANO (reserved) 600008000000-600020000000 [384.0M] rw-/rwx SM=NUL reserved VM address space (unallocated) --&gt; MALLOC_TINY 7fbbd9c00000-7fbbd9d00000 [ 1024K] rw-/rwx SM=PRV Application Specific Information: objc_msgSend() selector name: invalidate Thread 0 Crashed:: CrBrowserMain Dispatch queue: com.apple.main-thread 0 libobjc.A.dylib 0x00007fff2029479d objc_msgSend + 29 1 com.github.Electron.framework 0x000000010c99e684 -[ElectronNSWindowDelegate windowWillClose:] + 36 (electron_ns_window_delegate.mm:251) 2 com.apple.CoreFoundation 0x00007fff204e4e89 __CFNOTIFICATIONCENTER_IS_CALLING_OUT_TO_AN_OBSERVER__ + 12 3 com.apple.CoreFoundation 0x00007fff20580848 ___CFXRegistrationPost_block_invoke + 49 4 com.apple.CoreFoundation 0x00007fff205807c5 _CFXRegistrationPost + 454 5 com.apple.CoreFoundation 0x00007fff204b5f24 _CFXNotificationPost + 795 6 com.apple.Foundation 0x00007fff2114b2c8 -[NSNotificationCenter postNotificationName:object:userInfo:] + 59 7 com.apple.AppKit 0x00007fff234c6e5b -[NSWindow _finishClosingWindow] + 124 8 com.apple.AppKit 0x00007fff22f58160 -[NSWindow _close] + 347 9 com.github.Electron.framework 0x000000010c9909eb electron::NativeWindowMac::CloseImmediately() + 59 (native_window_mac.mm:494) 10 com.github.Electron.framework 0x000000010c92982c electron::WindowList::DestroyAllWindows() + 284 (window_list.cc:113) 11 com.github.Electron.framework 0x000000010c8cdefb electron::Browser::Exit(gin::Arguments*) + 91 (browser.cc:113) 12 com.github.Electron.framework 0x000000010fe344de Run + 9 (callback.h:169) [inlined] 13 com.github.Electron.framework 0x000000010fe344de DispatchToCallback + 9 (function_template.h:177) [inlined] 14 com.github.Electron.framework 0x000000010fe344de gin::internal::Dispatcher&lt;void (gin::Arguments*)&gt;::DispatchToCallbackImpl(gin::Arguments*) + 94 (function_template.h:209) 15 com.github.Electron.framework 0x000000010fe343f8 gin::internal::Dispatcher&lt;void (gin::Arguments*)&gt;::DispatchToCallback(v8::FunctionCallbackInfo&lt;v8::Value&gt; const&amp;) + 56 (function_template.h:215) 16 com.github.Electron.framework 0x000000010cffe3cf Call + 246 (api-arguments-inl.h:158) [inlined] 17 com.github.Electron.framework 0x000000010cffe3cf HandleApiCallHelper&lt;false&gt; + 576 (builtins-api.cc:113) [inlined] 18 com.github.Electron.framework 0x000000010cffe3cf Builtin_Impl_HandleApiCall + 703 (builtins-api.cc:143) [inlined] 19 com.github.Electron.framework 0x000000010cffe3cf v8::internal::Builtin_HandleApiCall(int, unsigned long*, v8::internal::Isolate*) + 815 (builtins-api.cc:131) 20 ??? 0x00000078000b23b8 ??? 21 ??? 0x0000007800049541 ??? 22 ??? 0x000000780023df46 ??? 23 ??? 0x0000007800049541 ??? 24 ??? 0x000000780023df46 ??? 25 ??? 0x00000078000475fb ??? 26 ??? 0x0000007800047383 ??? 27 com.github.Electron.framework 0x000000010d0730eb Call + 21 (simulator.h:144) [inlined] 28 com.github.Electron.framework 0x000000010d0730eb Invoke + 513 (execution.cc:372) [inlined] 29 com.github.Electron.framework 0x000000010d0730eb v8::internal::Execution::Call(v8::internal::Isolate*, v8::internal::Handle&lt;v8::internal::Object&gt;, v8::internal::Handle&lt;v8::internal::Object&gt;, int, v8::internal::Handle&lt;v8::internal::Object&gt;*) + 667 (execution.cc:466) 30 com.github.Electron.framework 0x000000010cfd10e3 v8::Function::Call(v8::Local&lt;v8::Context&gt;, v8::Local&lt;v8::Value&gt;, int, v8::Local&lt;v8::Value&gt;*) + 579 (api.cc:4969) 31 com.github.Electron.framework 0x000000010fbefe03 node::InternalMakeCallback(node::Environment*, v8::Local&lt;v8::Object&gt;, v8::Local&lt;v8::Object&gt;, v8::Local&lt;v8::Function&gt;, int, v8::Local&lt;v8::Value&gt;*, node::async_context) + 467 (callback.cc:191) 32 com.github.Electron.framework 0x000000010fbf0106 node::MakeCallback(v8::Isolate*, v8::Local&lt;v8::Object&gt;, v8::Local&lt;v8::Function&gt;, int, v8::Local&lt;v8::Value&gt;*, node::async_context) + 182 (callback.cc:260) 33 com.github.Electron.framework 0x000000010c953abc gin_helper::internal::CallMethodWithArgs(v8::Isolate*, v8::Local&lt;v8::Object&gt;, char const*, std::__1::vector&lt;v8::Local&lt;v8::Value&gt;, std::__1::allocator&lt;v8::Local&lt;v8::Value&gt; &gt; &gt;*) + 92 (event_emitter_caller.cc:23) 34 com.github.Electron.framework 0x000000010c835fc7 EmitEvent&lt;base::BasicStringPiece&lt;char&gt;, v8::Local&lt;v8::Object&gt; &amp;&gt; + 89 (event_emitter_caller.h:51) [inlined] 35 com.github.Electron.framework 0x000000010c835fc7 bool gin_helper::EventEmitter&lt;electron::api::BaseWindow&gt;::EmitWithEvent&lt;&gt;(base::BasicStringPiece&lt;char&gt;, v8::Local&lt;v8::Object&gt;) + 151 (event_emitter.h:86) 36 com.github.Electron.framework 0x000000010c82e6ee bool gin_helper::EventEmitter&lt;electron::api::BaseWindow&gt;::Emit&lt;&gt;(base::BasicStringPiece&lt;char&gt;) + 126 (event_emitter.h:70) 37 com.github.Electron.framework 0x000000010c82e8e9 electron::api::BaseWindow::OnWindowClosed() + 409 (electron_api_base_window.cc:164) 38 com.github.Electron.framework 0x000000010c8ec56c electron::NativeWindow::NotifyWindowClosed() + 316 (native_window.cc:424) 39 com.github.Electron.framework 0x000000010c99e68d -[ElectronNSWindowDelegate windowWillClose:] + 45 (electron_ns_window_delegate.mm:252) 40 com.apple.CoreFoundation 0x00007fff204e4e89 __CFNOTIFICATIONCENTER_IS_CALLING_OUT_TO_AN_OBSERVER__ + 12 41 com.apple.CoreFoundation 0x00007fff20580848 ___CFXRegistrationPost_block_invoke + 49 42 com.apple.CoreFoundation 0x00007fff205807c5 _CFXRegistrationPost + 454 43 com.apple.CoreFoundation 0x00007fff204b5f24 _CFXNotificationPost + 795 44 com.apple.Foundation 0x00007fff2114b2c8 -[NSNotificationCenter postNotificationName:object:userInfo:] + 59 45 com.apple.AppKit 0x00007fff234c6e5b -[NSWindow _finishClosingWindow] + 124 46 com.apple.AppKit 0x00007fff22f58160 -[NSWindow _close] + 347 47 com.github.Electron.framework 0x000000010c9909eb electron::NativeWindowMac::CloseImmediately() + 59 (native_window_mac.mm:494) 48 com.github.Electron.framework 0x000000010c8409f6 electron::api::BrowserWindow::OnCloseContents() + 214 (electron_api_browser_window.cc:200) 49 com.github.Electron.framework 0x000000010c898fdf electron::api::WebContents::CloseContents(content::WebContents*) + 383 (electron_api_web_contents.cc:1151) 50 com.github.Electron.framework 0x000000010ddc295c content::WebContentsImpl::Close(content::RenderViewHost*) + 124 (web_contents_impl.cc:6910) 51 com.github.Electron.framework 0x000000010ce1cf31 Run + 14 (callback.h:101) [inlined] 52 com.github.Electron.framework 0x000000010ce1cf31 blink::mojom::LocalMainFrame_ClosePage_ForwardToCallback::Accept(mojo::Message*) + 49 (frame.mojom.cc:15730) 53 com.github.Electron.framework 0x000000010e313ff3 HandleValidatedMessage + 894 (interface_endpoint_client.cc:549) [inlined] 54 com.github.Electron.framework 0x000000010e313ff3 mojo::InterfaceEndpointClient::HandleIncomingMessageThunk::Accept(mojo::Message*) + 947 (interface_endpoint_client.cc:140) 55 com.github.Electron.framework 0x000000010e316355 mojo::MessageDispatcher::Accept(mojo::Message*) + 85 (message_dispatcher.cc:43) 56 com.github.Electron.framework 0x000000010e4cbaef IPC::(anonymous namespace)::ChannelAssociatedGroupController::AcceptOnProxyThread(mojo::Message) + 255 (ipc_mojo_bootstrap.cc:945) 57 com.github.Electron.framework 0x000000010e4c982f Invoke&lt;void (IPC::(anonymous namespace)::ChannelAssociatedGroupController::*)(mojo::Message), scoped_refptr&lt;IPC::(anonymous namespace)::ChannelAssociatedGroupController&gt;, mojo::Message&gt; + 17 (bind_internal.h:509) [inlined] 58 com.github.Electron.framework 0x000000010e4c982f MakeItSo&lt;void (IPC::(anonymous namespace)::ChannelAssociatedGroupController::*)(mojo::Message), scoped_refptr&lt;IPC::(anonymous namespace)::ChannelAssociatedGroupController&gt;, mojo::Message&gt; + 17 (bind_internal.h:648) [inlined] 59 com.github.Electron.framework 0x000000010e4c982f RunImpl&lt;void (IPC::(anonymous namespace)::ChannelAssociatedGroupController::*)(mojo::Message), std::tuple&lt;scoped_refptr&lt;IPC::(anonymous namespace)::ChannelAssociatedGroupController&gt;, mojo::Message&gt;, 0, 1&gt; + 46 (bind_internal.h:721) [inlined] 60 com.github.Electron.framework 0x000000010e4c982f base::internal::Invoker&lt;base::internal::BindState&lt;void (IPC::(anonymous namespace)::ChannelAssociatedGroupController::*)(mojo::Message), scoped_refptr&lt;IPC::(anonymous namespace)::ChannelAssociatedGroupController&gt;, mojo::Message&gt;, void ()&gt;::RunOnce(base::internal::BindStateBase*) + 63 (bind_internal.h:690) 61 com.github.Electron.framework 0x000000010e16d87c Run + 34 (callback.h:101) [inlined] 62 com.github.Electron.framework 0x000000010e16d87c base::TaskAnnotator::RunTask(char const*, base::PendingTask*) + 316 (task_annotator.cc:173) 63 com.github.Electron.framework 0x000000010e185b66 non-virtual thunk to base::sequence_manager::internal::ThreadControllerWithMessagePumpImpl::DoWork() + 1302 (thread_controller_with_message_pump_impl.cc:351) 64 com.github.Electron.framework 0x000000010e1bdb50 RunWork + 46 (message_pump_mac.mm:384) [inlined] 65 com.github.Electron.framework 0x000000010e1bdb50 invocation function for block in base::MessagePumpCFRunLoopBase::RunWorkSource(void*) + 64 (message_pump_mac.mm:361) 66 com.github.Electron.framework 0x000000010e1ba132 base::mac::CallWithEHFrame(void () block_pointer) + 10 67 com.github.Electron.framework 0x000000010e1bd36f base::MessagePumpCFRunLoopBase::RunWorkSource(void*) + 63 (message_pump_mac.mm:360) 68 com.apple.CoreFoundation 0x00007fff204ef7dc __CFRUNLOOP_IS_CALLING_OUT_TO_A_SOURCE0_PERFORM_FUNCTION__ + 17 69 com.apple.CoreFoundation 0x00007fff204ef744 __CFRunLoopDoSource0 + 180 70 com.apple.CoreFoundation 0x00007fff204ef51c __CFRunLoopDoSources0 + 340 71 com.apple.CoreFoundation 0x00007fff204edec8 __CFRunLoopRun + 897 72 com.apple.CoreFoundation 0x00007fff204ed480 CFRunLoopRunSpecific + 567 73 com.apple.HIToolbox 0x00007fff28971203 RunCurrentEventLoopInMode + 292 74 com.apple.HIToolbox 0x00007fff28970f65 ReceiveNextEventCommon + 587 75 com.apple.HIToolbox 0x00007fff28970d03 _BlockUntilNextEventMatchingListInModeWithFilter + 70 76 com.apple.AppKit 0x00007fff22c13b32 _DPSNextEvent + 864 77 com.apple.AppKit 0x00007fff22c12305 -[NSApplication(NSEvent) _nextEventMatchingEventMask:untilDate:inMode:dequeue:] + 1364 78 com.apple.AppKit 0x00007fff22c04679 -[NSApplication run] + 586 79 com.github.Electron.framework 0x000000010e1be1f6 base::MessagePumpNSApplication::DoRun(base::MessagePump::Delegate*) + 86 (message_pump_mac.mm:717) 80 com.github.Electron.framework 0x000000010e1bce4b base::MessagePumpCFRunLoopBase::Run(base::MessagePump::Delegate*) + 107 (message_pump_mac.mm:157) 81 com.github.Electron.framework 0x000000010e186f3f base::sequence_manager::internal::ThreadControllerWithMessagePumpImpl::Run(bool, base::TimeDelta) + 111 (thread_controller_with_message_pump_impl.cc:460) 82 com.github.Electron.framework 0x000000010e15956c base::RunLoop::Run(base::Location const&amp;) + 140 (run_loop.cc:133) 83 com.github.Electron.framework 0x000000010dae1121 content::BrowserMainLoop::RunMainMessageLoop() + 113 (browser_main_loop.cc:992) 84 com.github.Electron.framework 0x000000010dae28a2 content::BrowserMainRunnerImpl::Run() + 18 (browser_main_runner_impl.cc:152) 85 com.github.Electron.framework 0x000000010dade7a4 content::BrowserMain(content::MainFunctionParams const&amp;) + 212 (browser_main.cc:47) 86 com.github.Electron.framework 0x000000010cf37a97 RunBrowserProcessMain + 47 (content_main_runner_impl.cc:598) [inlined] 87 com.github.Electron.framework 0x000000010cf37a97 content::ContentMainRunnerImpl::RunBrowser(content::MainFunctionParams&amp;, bool) + 1239 (content_main_runner_impl.cc:1081) 88 com.github.Electron.framework 0x000000010cf37598 content::ContentMainRunnerImpl::Run(bool) + 408 (content_main_runner_impl.cc:956) 89 com.github.Electron.framework 0x000000010cf366e6 content::RunContentProcess(content::ContentMainParams const&amp;, content::ContentMainRunner*) + 2054 (content_main.cc:372) 90 com.github.Electron.framework 0x000000010cf367d2 content::ContentMain(content::ContentMainParams const&amp;) + 50 (content_main.cc:398) 91 com.github.Electron.framework 0x000000010c814226 ElectronMain + 134 (electron_library_main.mm:24) 92 com.github.Electron 0x00000001044a97e6 main + 294 (electron_main.cc:276) 93 libdyld.dylib 0x00007fff20411f3d start + 1 </code></pre></div> <h3 dir="auto">Testcase Gist URL</h3> <p dir="auto"><em>No response</em></p> <h3 dir="auto">Additional Information</h3> <p dir="auto"><em>No response</em></p>
<h3 dir="auto">Preflight Checklist</h3> <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 <a href="https://github.com/electron/electron/blob/master/CONTRIBUTING.md">Contributing Guidelines</a> for this project.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I agree to follow the <a href="https://github.com/electron/electron/blob/master/CODE_OF_CONDUCT.md">Code of Conduct</a> that this project adheres to.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://www.github.com/electron/electron/issues">issue tracker</a> for a feature request that matches the one I want to file, without success.</li> </ul> <h3 dir="auto">Electron Version</h3> <p dir="auto">12.0.8</p> <h3 dir="auto">What operating system are you using?</h3> <p dir="auto">macOS</p> <h3 dir="auto">Operating System Version</h3> <p dir="auto">10.15.7</p> <h3 dir="auto">What arch are you using?</h3> <p dir="auto">x64</p> <h3 dir="auto">Last Known Working Electron version</h3> <p dir="auto">11.3.0</p> <h3 dir="auto">Expected Behavior</h3> <p dir="auto">App normally quits without an error.</p> <h3 dir="auto">Actual Behavior</h3> <p dir="auto">App crashes:</p> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/823277/118966272-87db3f80-b9a4-11eb-91e8-ae3d5ac012da.png"><img width="986" alt="スクリーンショット 2021-05-20 19 49 34" src="https://user-images.githubusercontent.com/823277/118966272-87db3f80-b9a4-11eb-91e8-ae3d5ac012da.png" style="max-width: 100%;"></a></p> <h3 dir="auto">Testcase Gist URL</h3> <p dir="auto"><em>No response</em></p> <h3 dir="auto">Additional Information</h3> <h3 dir="auto">How to reproduce</h3> <p dir="auto">I tried to minimize reproduction, but I could not. Very simple program did not cause this issue. So I describe how I caused this issue with my application. Frequency is 100%.</p> <p dir="auto">At first, please fetch my app repository and build the app.</p> <div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="git clone https://github.com/rhysd/tweet-app.git cd ./tweet-app git checkout ef03e5311c1ee5e29750f730daa934cacb0adc03 npm install npm run build"><pre class="notranslate">git clone https://github.com/rhysd/tweet-app.git <span class="pl-c1">cd</span> ./tweet-app git checkout ef03e5311c1ee5e29750f730daa934cacb0adc03 npm install npm run build</pre></div> <p dir="auto">Launch the application.</p> <div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="npm run app"><pre class="notranslate">npm run app</pre></div> <p dir="auto">Find 'Quit' menu item in menu bar and click it. App will crash immediately.</p> <p dir="auto">Here is a full text of crash report:</p> <details> <pre class="notranslate">Process: Electron [54917] Path: /Users/USER/*/Electron.app/Contents/MacOS/Electron Identifier: com.github.Electron Version: 12.0.8 (12.0.8) Code Type: X86-64 (Native) Parent Process: node [54890] Responsible: iTerm2 [616] User ID: 501 <p dir="auto">Date/Time: 2021-05-20 19:45:02.713 +0900<br> OS Version: Mac OS X 10.15.7 (19H1030)<br> Report Version: 12<br> Bridge OS Version: 5.3 (18P4556)<br> Anonymous UUID: 642738B3-B784-E97D-1869-C94CE5350670</p> <p dir="auto">Sleep/Wake UUID: B3C7C804-F908-4EE3-B334-A95FBEA9B73D</p> <p dir="auto">Time Awake Since Boot: 360000 seconds<br> Time Since Wake: 37000 seconds</p> <p dir="auto">System Integrity Protection: enabled</p> <p dir="auto">Crashed Thread: 0 CrBrowserMain Dispatch queue: com.apple.main-thread</p> <p dir="auto">Exception Type: EXC_BAD_ACCESS (SIGSEGV)<br> Exception Codes: KERN_INVALID_ADDRESS at 0x000007fd12148d98<br> Exception Note: EXC_CORPSE_NOTIFY</p> <p dir="auto">Termination Signal: Segmentation fault: 11<br> Termination Reason: Namespace SIGNAL, Code 0xb<br> Terminating Process: exc handler [54917]</p> <p dir="auto">VM Regions Near 0x7fd12148d98:<br> Memory Tag 255 00000045d4274000-00000045d42f0000 [ 496K] ---/rwx SM=ZER<br> --&gt;<br> STACK GUARD 000070000eae6000-000070000eae7000 [ 4K] ---/rwx SM=NUL stack guard for thread 1</p> <p dir="auto">Application Specific Information:<br> objc_msgSend() selector name: invalidate</p> <p dir="auto">Thread 0 Crashed:: CrBrowserMain Dispatch queue: com.apple.main-thread<br> 0 libobjc.A.dylib 0x00007fff6699081d objc_msgSend + 29<br> 1 com.apple.AppKit 0x00007fff2af5952e +[NSEvent removeMonitor:] + 30<br> 2 com.github.Electron.framework 0x00000001049d2074 ElectronInitializeICUandStartNode + 1665332<br> 3 com.apple.CoreFoundation 0x00007fff2da9b2ef <strong>CFNOTIFICATIONCENTER_IS_CALLING_OUT_TO_AN_OBSERVER</strong> + 12<br> 4 com.apple.CoreFoundation 0x00007fff2da9b283 ___CFXRegistrationPost1_block_invoke + 63<br> 5 com.apple.CoreFoundation 0x00007fff2da9b1f8 _CFXRegistrationPost1 + 372<br> 6 com.apple.CoreFoundation 0x00007fff2da9ae64 ___CFXNotificationPost_block_invoke + 80<br> 7 com.apple.CoreFoundation 0x00007fff2da6afdd -[_CFXNotificationRegistrar find:object:observer:enumerator:] + 1554<br> 8 com.apple.CoreFoundation 0x00007fff2da6a489 _CFXNotificationPost + 1351<br> 9 com.apple.Foundation 0x00007fff300e85f6 -[NSNotificationCenter postNotificationName:object:userInfo:] + 59<br> 10 com.apple.AppKit 0x00007fff2b5b1953 -[NSWindow _finishClosingWindow] + 185<br> 11 com.apple.AppKit 0x00007fff2b08d175 -[NSWindow _close] + 352<br> 12 com.github.Electron.framework 0x00000001049c491b ElectronInitializeICUandStartNode + 1610203<br> 13 com.github.Electron.framework 0x000000010495bed0 ElectronInitializeICUandStartNode + 1181584<br> 14 com.github.Electron.framework 0x00000001048f91fb ElectronInitializeICUandStartNode + 776891<br> 15 com.github.Electron.framework 0x000000010710663e node::SetTracingController(v8::TracingController*) + 992942<br> 16 com.github.Electron.framework 0x0000000107106558 node::SetTracingController(v8::TracingController*) + 992712<br> 17 com.github.Electron.framework 0x0000000104e89380 v8::internal::ClassScope::ResolvePrivateNamesPartially() + 14832<br> 18 com.github.Electron.framework 0x0000000104e88fd5 v8::internal::ClassScope::ResolvePrivateNamesPartially() + 13893<br> 19 com.github.Electron.framework 0x0000000104e88653 v8::internal::ClassScope::ResolvePrivateNamesPartially() + 11459<br> 20 com.github.Electron.framework 0x00000001054e0018 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 451416<br> 21 com.github.Electron.framework 0x0000000105479e8f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 33231<br> 22 com.github.Electron.framework 0x00000001054a7081 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 218049<br> 23 com.github.Electron.framework 0x0000000105529e7b v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 754107<br> 24 com.github.Electron.framework 0x0000000105499fb7 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 164599<br> 25 com.github.Electron.framework 0x0000000105477a58 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 23960<br> 26 com.github.Electron.framework 0x0000000104ee3041 v8::internal::Execution::Call(v8::internal::Isolate*, v8::internal::Handlev8::internal::Object, v8::internal::Handlev8::internal::Object, int, v8::internal::Handlev8::internal::Object<em>) + 2705<br> 27 com.github.Electron.framework 0x0000000104ee3833 v8::internal::Execution::TryCall(v8::internal::Isolate</em>, v8::internal::Handlev8::internal::Object, v8::internal::Handlev8::internal::Object, int, v8::internal::Handlev8::internal::Object<em>, v8::internal::Execution::MessageHandling, v8::internal::MaybeHandlev8::internal::Object</em>, bool) + 355<br> 28 com.github.Electron.framework 0x0000000104ee3910 v8::internal::Execution::TryCall(v8::internal::Isolate*, v8::internal::Handlev8::internal::Object, v8::internal::Handlev8::internal::Object, int, v8::internal::Handlev8::internal::Object<em>, v8::internal::Execution::MessageHandling, v8::internal::MaybeHandlev8::internal::Object</em>, bool) + 576<br> 29 com.github.Electron.framework 0x0000000104efb4c6 v8::internal::MicrotaskQueue::RunMicrotasks(v8::internal::Isolate*) + 422<br> 30 com.github.Electron.framework 0x0000000104efb2f0 v8::internal::MicrotaskQueue::PerformCheckpoint(v8::Isolate*) + 32<br> 31 com.github.Electron.framework 0x0000000106ec435a node::CallbackScope::~CallbackScope() + 1146<br> 32 com.github.Electron.framework 0x0000000106ec470c node::CallbackScope::~CallbackScope() + 2092<br> 33 com.github.Electron.framework 0x0000000106ec49b6 node::MakeCallback(v8::Isolate*, v8::Localv8::Object, v8::Localv8::Function, int, v8::Localv8::Value<em>, node::async_context) + 182<br> 34 com.github.Electron.framework 0x0000000104986e7c ElectronInitializeICUandStartNode + 1357628<br> 35 com.github.Electron.framework 0x000000010485e227 ElectronInitializeICUandStartNode + 142055<br> 36 com.github.Electron.framework 0x0000000104856ace ElectronInitializeICUandStartNode + 111502<br> 37 com.github.Electron.framework 0x0000000104856cc9 ElectronInitializeICUandStartNode + 112009<br> 38 com.github.Electron.framework 0x00000001049185ce ElectronInitializeICUandStartNode + 904846<br> 39 com.github.Electron.framework 0x00000001049d207d ElectronInitializeICUandStartNode + 1665341<br> 40 com.apple.CoreFoundation 0x00007fff2da9b2ef <strong>CFNOTIFICATIONCENTER_IS_CALLING_OUT_TO_AN_OBSERVER</strong> + 12<br> 41 com.apple.CoreFoundation 0x00007fff2da9b283 ___CFXRegistrationPost1_block_invoke + 63<br> 42 com.apple.CoreFoundation 0x00007fff2da9b1f8 _CFXRegistrationPost1 + 372<br> 43 com.apple.CoreFoundation 0x00007fff2da9ae64 ___CFXNotificationPost_block_invoke + 80<br> 44 com.apple.CoreFoundation 0x00007fff2da6afdd -[_CFXNotificationRegistrar find:object:observer:enumerator:] + 1554<br> 45 com.apple.CoreFoundation 0x00007fff2da6a489 _CFXNotificationPost + 1351<br> 46 com.apple.Foundation 0x00007fff300e85f6 -[NSNotificationCenter postNotificationName:object:userInfo:] + 59<br> 47 com.apple.AppKit 0x00007fff2b5b1953 -[NSWindow _finishClosingWindow] + 185<br> 48 com.apple.AppKit 0x00007fff2b08d175 -[NSWindow _close] + 352<br> 49 com.github.Electron.framework 0x00000001049c491b ElectronInitializeICUandStartNode + 1610203<br> 50 com.github.Electron.framework 0x0000000104868dc6 ElectronInitializeICUandStartNode + 185990<br> 51 com.github.Electron.framework 0x00000001048c3771 ElectronInitializeICUandStartNode + 557105<br> 52 com.github.Electron.framework 0x000000010588eeb7 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap</em>) + 4313591<br> 53 com.github.Electron.framework 0x0000000104d2f280 electron::fuses::IsRunAsNodeEnabled() + 3362480<br> 54 com.github.Electron.framework 0x0000000105ba8d1c v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 7565404<br> 55 com.github.Electron.framework 0x0000000105ce891f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 8875103<br> 56 com.github.Electron.framework 0x0000000105ce6c8f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 8867791<br> 57 com.github.Electron.framework 0x0000000105a1c1b9 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 5940473<br> 58 com.github.Electron.framework 0x0000000105a2a7fe v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 5999422<br> 59 com.github.Electron.framework 0x0000000105a2a31e v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 5998174<br> 60 com.github.Electron.framework 0x0000000105a5ea13 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6212947<br> 61 com.github.Electron.framework 0x0000000105a5b4aa v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6199274<br> 62 com.github.Electron.framework 0x0000000105a5e3df v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6211359<br> 63 com.apple.CoreFoundation 0x00007fff2daa5832 <strong>CFRUNLOOP_IS_CALLING_OUT_TO_A_SOURCE0_PERFORM_FUNCTION</strong> + 17<br> 64 com.apple.CoreFoundation 0x00007fff2daa57d1 __CFRunLoopDoSource0 + 103<br> 65 com.apple.CoreFoundation 0x00007fff2daa55eb __CFRunLoopDoSources0 + 209<br> 66 com.apple.CoreFoundation 0x00007fff2daa431a __CFRunLoopRun + 927<br> 67 com.apple.CoreFoundation 0x00007fff2daa391e CFRunLoopRunSpecific + 462<br> 68 com.apple.HIToolbox 0x00007fff2c6cfabd RunCurrentEventLoopInMode + 292<br> 69 com.apple.HIToolbox 0x00007fff2c6cf7d5 ReceiveNextEventCommon + 584<br> 70 com.apple.HIToolbox 0x00007fff2c6cf579 _BlockUntilNextEventMatchingListInModeWithFilter + 64<br> 71 com.apple.AppKit 0x00007fff2ad16039 _DPSNextEvent + 883<br> 72 com.apple.AppKit 0x00007fff2ad14880 -[NSApplication(NSEvent) _nextEventMatchingEventMask:untilDate:inMode:dequeue:] + 1352<br> 73 com.apple.AppKit 0x00007fff2ad0658e -[NSApplication run] + 658<br> 74 com.github.Electron.framework 0x0000000105a5efe6 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6214438<br> 75 com.github.Electron.framework 0x0000000105a5df6b v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6210219<br> 76 com.github.Electron.framework 0x0000000105a2b25f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6002079<br> 77 com.github.Electron.framework 0x0000000105a08579 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 5859513<br> 78 com.github.Electron.framework 0x00000001081297c4 v8::internal::compiler::ZoneStats::GetCurrentAllocatedBytes() const + 1945012<br> 79 com.github.Electron.framework 0x0000000105687e32 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 2187634<br> 80 com.github.Electron.framework 0x00000001056837d9 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 2169625<br> 81 com.github.Electron.framework 0x0000000104deec16 electron::fuses::IsRunAsNodeEnabled() + 4147270<br> 82 com.github.Electron.framework 0x0000000104dee923 electron::fuses::IsRunAsNodeEnabled() + 4146515<br> 83 com.github.Electron.framework 0x0000000104ded5f0 electron::fuses::IsRunAsNodeEnabled() + 4141600<br> 84 com.github.Electron.framework 0x0000000104dedab2 electron::fuses::IsRunAsNodeEnabled() + 4142818<br> 85 com.github.Electron.framework 0x000000010483b708 ElectronMain + 136<br> 86 com.github.Electron 0x00000001047c5426 0x1047c2000 + 13350<br> 87 libdyld.dylib 0x00007fff67b45cc9 start + 1</p> <p dir="auto">Thread 1:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 2:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 3:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 4:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 5:: ThreadPoolServiceThread<br> 0 libsystem_kernel.dylib 0x00007fff67c8fb96 kevent64 + 10<br> 1 com.github.Electron.framework 0x0000000105a6ea9a v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6278618<br> 2 com.github.Electron.framework 0x0000000105a6e9be v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6278398<br> 3 com.github.Electron.framework 0x0000000105a2b25f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6002079<br> 4 com.github.Electron.framework 0x0000000105a08579 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 5859513<br> 5 com.github.Electron.framework 0x0000000105a3405d v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6038429<br> 6 com.github.Electron.framework 0x0000000105a44679 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6105529<br> 7 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 8 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 9 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 6:: ThreadPoolForegroundWorker<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.github.Electron.framework 0x0000000105a62167 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6227111<br> 3 com.github.Electron.framework 0x0000000105a3be9e v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6070750<br> 4 com.github.Electron.framework 0x0000000105a3c6aa v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072810<br> 5 com.github.Electron.framework 0x0000000105a3c3ad v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072045<br> 6 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 7 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 8 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 7:: ThreadPoolBackgroundWorker<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.github.Electron.framework 0x0000000105a62167 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6227111<br> 3 com.github.Electron.framework 0x0000000105a3be9e v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6070750<br> 4 com.github.Electron.framework 0x0000000105a3c6aa v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072810<br> 5 com.github.Electron.framework 0x0000000105a3c34d v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6071949<br> 6 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 7 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 8 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 8:: ThreadPoolForegroundWorker<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.github.Electron.framework 0x0000000105a62167 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6227111<br> 3 com.github.Electron.framework 0x0000000105a3be9e v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6070750<br> 4 com.github.Electron.framework 0x0000000105a3c6aa v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072810<br> 5 com.github.Electron.framework 0x0000000105a3c3ad v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072045<br> 6 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 7 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 8 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 9:: Chrome_IOThread<br> 0 com.github.Electron.framework 0x0000000105a64570 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6236336<br> 1 libsystem_malloc.dylib 0x00007fff67cfca1c free + 107<br> 2 com.github.Electron.framework 0x0000000104e01d21 electron::fuses::IsRunAsNodeEnabled() + 4225361<br> 3 com.github.Electron.framework 0x0000000104e022c9 electron::fuses::IsRunAsNodeEnabled() + 4226809<br> 4 com.github.Electron.framework 0x0000000106376de9 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 15749417<br> 5 com.github.Electron.framework 0x0000000106376c1f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 15748959<br> 6 com.github.Electron.framework 0x0000000104e00821 electron::fuses::IsRunAsNodeEnabled() + 4219985<br> 7 com.github.Electron.framework 0x0000000104dfcfa0 electron::fuses::IsRunAsNodeEnabled() + 4205520<br> 8 com.github.Electron.framework 0x0000000104df19fe electron::fuses::IsRunAsNodeEnabled() + 4159022<br> 9 com.github.Electron.framework 0x0000000105ba6a60 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 7556512<br> 10 com.github.Electron.framework 0x0000000105ba9703 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 7567939<br> 11 com.github.Electron.framework 0x0000000104d22f77 electron::fuses::IsRunAsNodeEnabled() + 3312551<br> 12 com.github.Electron.framework 0x0000000106d4fd87 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 26075335<br> 13 com.github.Electron.framework 0x0000000104d2367a electron::fuses::IsRunAsNodeEnabled() + 3314346<br> 14 com.github.Electron.framework 0x0000000106d5222b v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 26084715<br> 15 com.github.Electron.framework 0x0000000105ba8c6f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 7565231<br> 16 com.github.Electron.framework 0x0000000105baae86 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 7573958<br> 17 com.github.Electron.framework 0x0000000105bae356 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 7587478<br> 18 com.github.Electron.framework 0x0000000105badccd v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 7585805<br> 19 com.github.Electron.framework 0x0000000105ba64d0 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 7555088<br> 20 com.github.Electron.framework 0x0000000105ba6d8e v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 7557326<br> 21 com.github.Electron.framework 0x0000000105bbc871 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 7646129<br> 22 com.github.Electron.framework 0x0000000105bbcc59 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 7647129<br> 23 com.github.Electron.framework 0x0000000105bbbe90 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 7643600<br> 24 com.github.Electron.framework 0x0000000104e0cd6c electron::fuses::IsRunAsNodeEnabled() + 4270492<br> 25 com.github.Electron.framework 0x0000000104e0c310 electron::fuses::IsRunAsNodeEnabled() + 4267840<br> 26 com.github.Electron.framework 0x0000000104e085bd electron::fuses::IsRunAsNodeEnabled() + 4252141<br> 27 com.github.Electron.framework 0x0000000104dfe906 electron::fuses::IsRunAsNodeEnabled() + 4212022<br> 28 com.github.Electron.framework 0x0000000104def946 electron::fuses::IsRunAsNodeEnabled() + 4150646<br> 29 com.github.Electron.framework 0x0000000104e10fbe electron::fuses::IsRunAsNodeEnabled() + 4287470<br> 30 com.github.Electron.framework 0x0000000105a6ff19 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6283865<br> 31 com.github.Electron.framework 0x0000000105a6eaf7 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6278711<br> 32 com.github.Electron.framework 0x0000000105a6e9be v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6278398<br> 33 com.github.Electron.framework 0x0000000105a2b25f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6002079<br> 34 com.github.Electron.framework 0x0000000105a08579 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 5859513<br> 35 com.github.Electron.framework 0x000000010568844f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 2189199<br> 36 com.github.Electron.framework 0x0000000105a44679 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6105529<br> 37 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 38 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 39 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 10:: MemoryInfra<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.github.Electron.framework 0x0000000105a62167 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6227111<br> 3 com.github.Electron.framework 0x0000000105a61fee v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6226734<br> 4 com.github.Electron.framework 0x00000001059f19d0 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 5766416<br> 5 com.github.Electron.framework 0x0000000105a2b25f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6002079<br> 6 com.github.Electron.framework 0x0000000105a08579 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 5859513<br> 7 com.github.Electron.framework 0x0000000105a44679 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6105529<br> 8 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 9 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 10 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 11:<br> 0 libsystem_kernel.dylib 0x00007fff67c8b766 kevent + 10<br> 1 com.github.Electron.framework 0x000000010483acea uv_free_interface_addresses + 1322<br> 2 com.github.Electron.framework 0x0000000104829e0c uv_run + 364<br> 3 com.github.Electron.framework 0x0000000106fbcb3f node::MultiIsolatePlatform::CancelPendingDelayedTasks(v8::Isolate*) + 687<br> 4 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 5 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 12:<br> 0 libsystem_kernel.dylib 0x00007fff67c89882 __psynch_cvwait + 10<br> 1 libsystem_pthread.dylib 0x00007fff67d4a425 _pthread_cond_wait + 698<br> 2 com.github.Electron.framework 0x0000000104835db9 uv_cond_wait + 9<br> 3 com.github.Electron.framework 0x0000000106fbcd12 node::MultiIsolatePlatform::CancelPendingDelayedTasks(v8::Isolate*) + 1154<br> 4 com.github.Electron.framework 0x0000000106fba5d7 node::OnFatalError(char const*, char const*) + 438263<br> 5 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 6 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 13:<br> 0 libsystem_kernel.dylib 0x00007fff67c89882 __psynch_cvwait + 10<br> 1 libsystem_pthread.dylib 0x00007fff67d4a425 _pthread_cond_wait + 698<br> 2 com.github.Electron.framework 0x0000000104835db9 uv_cond_wait + 9<br> 3 com.github.Electron.framework 0x0000000106fbcd12 node::MultiIsolatePlatform::CancelPendingDelayedTasks(v8::Isolate*) + 1154<br> 4 com.github.Electron.framework 0x0000000106fba5d7 node::OnFatalError(char const*, char const*) + 438263<br> 5 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 6 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 14:<br> 0 libsystem_kernel.dylib 0x00007fff67c89882 __psynch_cvwait + 10<br> 1 libsystem_pthread.dylib 0x00007fff67d4a425 _pthread_cond_wait + 698<br> 2 com.github.Electron.framework 0x0000000104835db9 uv_cond_wait + 9<br> 3 com.github.Electron.framework 0x0000000106fbcd12 node::MultiIsolatePlatform::CancelPendingDelayedTasks(v8::Isolate*) + 1154<br> 4 com.github.Electron.framework 0x0000000106fba5d7 node::OnFatalError(char const*, char const*) + 438263<br> 5 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 6 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 15:<br> 0 libsystem_kernel.dylib 0x00007fff67c86e36 semaphore_wait_trap + 10<br> 1 com.github.Electron.framework 0x0000000104836360 uv_sem_wait + 16<br> 2 com.github.Electron.framework 0x0000000107023dd3 node::SetTracingController(v8::TracingController*) + 65091<br> 3 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 4 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 16:<br> 0 libsystem_kernel.dylib 0x00007fff67c89882 __psynch_cvwait + 10<br> 1 libsystem_pthread.dylib 0x00007fff67d4a425 _pthread_cond_wait + 698<br> 2 com.github.Electron.framework 0x0000000104835db9 uv_cond_wait + 9<br> 3 com.github.Electron.framework 0x0000000104825f60 uv_cancel + 512<br> 4 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 5 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 17:<br> 0 libsystem_kernel.dylib 0x00007fff67c89882 __psynch_cvwait + 10<br> 1 libsystem_pthread.dylib 0x00007fff67d4a425 _pthread_cond_wait + 698<br> 2 com.github.Electron.framework 0x0000000104835db9 uv_cond_wait + 9<br> 3 com.github.Electron.framework 0x0000000104825f60 uv_cancel + 512<br> 4 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 5 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 18:<br> 0 libsystem_kernel.dylib 0x00007fff67c89882 __psynch_cvwait + 10<br> 1 libsystem_pthread.dylib 0x00007fff67d4a425 _pthread_cond_wait + 698<br> 2 com.github.Electron.framework 0x0000000104835db9 uv_cond_wait + 9<br> 3 com.github.Electron.framework 0x0000000104825f60 uv_cancel + 512<br> 4 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 5 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 19:<br> 0 libsystem_kernel.dylib 0x00007fff67c89882 __psynch_cvwait + 10<br> 1 libsystem_pthread.dylib 0x00007fff67d4a425 _pthread_cond_wait + 698<br> 2 com.github.Electron.framework 0x0000000104835db9 uv_cond_wait + 9<br> 3 com.github.Electron.framework 0x0000000104825f60 uv_cancel + 512<br> 4 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 5 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 20:: NetworkConfigWatcher<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.apple.CoreFoundation 0x00007fff2daa59d5 __CFRunLoopServiceMachPort + 247<br> 3 com.apple.CoreFoundation 0x00007fff2daa44a2 __CFRunLoopRun + 1319<br> 4 com.apple.CoreFoundation 0x00007fff2daa391e CFRunLoopRunSpecific + 462<br> 5 com.apple.Foundation 0x00007fff3013f1a8 -[NSRunLoop(NSRunLoop) runMode:beforeDate:] + 212<br> 6 com.github.Electron.framework 0x0000000105a5ef24 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6214244<br> 7 com.github.Electron.framework 0x0000000105a5df6b v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6210219<br> 8 com.github.Electron.framework 0x0000000105a2b25f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6002079<br> 9 com.github.Electron.framework 0x0000000105a08579 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 5859513<br> 10 com.github.Electron.framework 0x0000000105a44679 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6105529<br> 11 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 12 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 13 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 21:: CrShutdownDetector<br> 0 libsystem_kernel.dylib 0x00007fff67c8781e read + 10<br> 1 com.github.Electron.framework 0x00000001049e48cf ElectronInitializeICUandStartNode + 1741199<br> 2 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 3 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 4 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 22:: NetworkConfigWatcher<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.apple.CoreFoundation 0x00007fff2daa59d5 __CFRunLoopServiceMachPort + 247<br> 3 com.apple.CoreFoundation 0x00007fff2daa44a2 __CFRunLoopRun + 1319<br> 4 com.apple.CoreFoundation 0x00007fff2daa391e CFRunLoopRunSpecific + 462<br> 5 com.apple.Foundation 0x00007fff3013f1a8 -[NSRunLoop(NSRunLoop) runMode:beforeDate:] + 212<br> 6 com.github.Electron.framework 0x0000000105a5ef24 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6214244<br> 7 com.github.Electron.framework 0x0000000105a5df6b v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6210219<br> 8 com.github.Electron.framework 0x0000000105a2b25f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6002079<br> 9 com.github.Electron.framework 0x0000000105a08579 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 5859513<br> 10 com.github.Electron.framework 0x0000000105a44679 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6105529<br> 11 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 12 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 13 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 23:: ThreadPoolForegroundWorker<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.github.Electron.framework 0x0000000105a62167 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6227111<br> 3 com.github.Electron.framework 0x0000000105a3be9e v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6070750<br> 4 com.github.Electron.framework 0x0000000105a3c6aa v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072810<br> 5 com.github.Electron.framework 0x0000000105a3c3ad v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072045<br> 6 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 7 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 8 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 24:: CompositorTileWorker1<br> 0 libsystem_kernel.dylib 0x00007fff67c89882 __psynch_cvwait + 10<br> 1 libsystem_pthread.dylib 0x00007fff67d4a425 _pthread_cond_wait + 698<br> 2 com.github.Electron.framework 0x0000000105a59760 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6191776<br> 3 com.github.Electron.framework 0x000000010611a815 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 13273941<br> 4 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 5 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 6 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 25:: ThreadPoolSingleThreadForegroundBlocking0<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.github.Electron.framework 0x0000000105a62167 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6227111<br> 3 com.github.Electron.framework 0x0000000105a61fee v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6226734<br> 4 com.github.Electron.framework 0x0000000105a3bead v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6070765<br> 5 com.github.Electron.framework 0x0000000105a3c6aa v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072810<br> 6 com.github.Electron.framework 0x0000000105a3c40d v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072141<br> 7 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 8 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 9 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 26:<br> 0 libsystem_kernel.dylib 0x00007fff67c86e36 semaphore_wait_trap + 10<br> 1 com.github.Electron.framework 0x0000000104836360 uv_sem_wait + 16<br> 2 com.github.Electron.framework 0x000000010498d0d9 ElectronInitializeICUandStartNode + 1382809<br> 3 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 4 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 27:: ThreadPoolSingleThreadSharedBackgroundBlocking1<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.github.Electron.framework 0x0000000105a62167 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6227111<br> 3 com.github.Electron.framework 0x0000000105a61fee v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6226734<br> 4 com.github.Electron.framework 0x0000000105a3bead v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6070765<br> 5 com.github.Electron.framework 0x0000000105a3c4d1 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072337<br> 6 com.github.Electron.framework 0x0000000105a3c37d v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6071997<br> 7 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 8 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 9 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 28:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 29:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 30:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 31:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 32:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 33:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 34:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 35:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 36:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 37:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 38:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 39:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 40:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 41:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 42:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 43:<br> 0 libsystem_pthread.dylib 0x00007fff67d45b68 start_wqthread + 0</p> <p dir="auto">Thread 44:: ThreadPoolSingleThreadSharedForegroundBlocking2<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.github.Electron.framework 0x0000000105a62167 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6227111<br> 3 com.github.Electron.framework 0x0000000105a61fee v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6226734<br> 4 com.github.Electron.framework 0x0000000105a3bead v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6070765<br> 5 com.github.Electron.framework 0x0000000105a3c4d1 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072337<br> 6 com.github.Electron.framework 0x0000000105a3c3dd v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072093<br> 7 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 8 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 9 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 45:: ThreadPoolBackgroundWorker<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.github.Electron.framework 0x0000000105a62167 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6227111<br> 3 com.github.Electron.framework 0x0000000105a3be9e v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6070750<br> 4 com.github.Electron.framework 0x0000000105a3c4d1 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072337<br> 5 com.github.Electron.framework 0x0000000105a3c34d v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6071949<br> 6 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 7 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 8 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 46:: ThreadPoolForegroundWorker<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.github.Electron.framework 0x0000000105a62167 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6227111<br> 3 com.github.Electron.framework 0x0000000105a3be9e v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6070750<br> 4 com.github.Electron.framework 0x0000000105a3c6aa v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072810<br> 5 com.github.Electron.framework 0x0000000105a3c3ad v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072045<br> 6 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 7 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 8 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 47:: NetworkConfigWatcher<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.apple.CoreFoundation 0x00007fff2daa59d5 __CFRunLoopServiceMachPort + 247<br> 3 com.apple.CoreFoundation 0x00007fff2daa44a2 __CFRunLoopRun + 1319<br> 4 com.apple.CoreFoundation 0x00007fff2daa391e CFRunLoopRunSpecific + 462<br> 5 com.apple.Foundation 0x00007fff3013f1a8 -[NSRunLoop(NSRunLoop) runMode:beforeDate:] + 212<br> 6 com.github.Electron.framework 0x0000000105a5ef24 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6214244<br> 7 com.github.Electron.framework 0x0000000105a5df6b v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6210219<br> 8 com.github.Electron.framework 0x0000000105a2b25f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6002079<br> 9 com.github.Electron.framework 0x0000000105a08579 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 5859513<br> 10 com.github.Electron.framework 0x0000000105a44679 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6105529<br> 11 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 12 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 13 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 48:: ThreadPoolForegroundWorker<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.github.Electron.framework 0x0000000105a62167 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6227111<br> 3 com.github.Electron.framework 0x0000000105a3be9e v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6070750<br> 4 com.github.Electron.framework 0x0000000105a3c4d1 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072337<br> 5 com.github.Electron.framework 0x0000000105a3c3ad v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6072045<br> 6 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 7 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 8 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 49:: CacheThread_BlockFile<br> 0 libsystem_kernel.dylib 0x00007fff67c8fb96 kevent64 + 10<br> 1 com.github.Electron.framework 0x0000000105a6ea9a v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6278618<br> 2 com.github.Electron.framework 0x0000000105a6e9be v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6278398<br> 3 com.github.Electron.framework 0x0000000105a2b25f v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6002079<br> 4 com.github.Electron.framework 0x0000000105a08579 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 5859513<br> 5 com.github.Electron.framework 0x0000000105a44679 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6105529<br> 6 com.github.Electron.framework 0x0000000105a5a188 v8::internal::SetupIsolateDelegate::SetupHeap(v8::internal::Heap*) + 6194376<br> 7 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 8 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 50:: com.apple.NSEventThread<br> 0 libsystem_kernel.dylib 0x00007fff67c86dfa mach_msg_trap + 10<br> 1 libsystem_kernel.dylib 0x00007fff67c87170 mach_msg + 60<br> 2 com.apple.SkyLight 0x00007fff5cd1f497 CGSSnarfAndDispatchDatagrams + 237<br> 3 com.apple.SkyLight 0x00007fff5cf4f38d SLSGetNextEventRecordInternal + 83<br> 4 com.apple.SkyLight 0x00007fff5cdedcce SLEventCreateNextEvent + 136<br> 5 com.apple.HIToolbox 0x00007fff2c6dccc7 PullEventsFromWindowServerOnConnection(unsigned int, unsigned char, __CFMachPortBoost*) + 45<br> 6 com.apple.HIToolbox 0x00007fff2c6dcc72 MessageHandler(__CFMachPort*, void*, long, void*) + 48<br> 7 com.apple.CoreFoundation 0x00007fff2dad45e5 __CFMachPortPerform + 250<br> 8 com.apple.CoreFoundation 0x00007fff2daa5de4 <strong>CFRUNLOOP_IS_CALLING_OUT_TO_A_SOURCE1_PERFORM_FUNCTION</strong> + 41<br> 9 com.apple.CoreFoundation 0x00007fff2daa5d30 __CFRunLoopDoSource1 + 541<br> 10 com.apple.CoreFoundation 0x00007fff2daa4859 __CFRunLoopRun + 2270<br> 11 com.apple.CoreFoundation 0x00007fff2daa391e CFRunLoopRunSpecific + 462<br> 12 com.apple.AppKit 0x00007fff2aeb7954 _NSEventThread + 132<br> 13 libsystem_pthread.dylib 0x00007fff67d4a109 _pthread_start + 148<br> 14 libsystem_pthread.dylib 0x00007fff67d45b8b thread_start + 15</p> <p dir="auto">Thread 0 crashed with X86 Thread State (64-bit):<br> rax: 0x00007fd1414d39f8 rbx: 0x00007fd121499880 rcx: 0x000000010c4ccc48 rdx: 0x00007fd121499880<br> rdi: 0x00007fd121499880 rsi: 0x00007fff71ec9032 rbp: 0x00007ffeeb438430 rsp: 0x00007ffeeb438418<br> r8: 0x00007fff2daa651c r9: 0x00007ffeeb438b80 r10: 0x000007fd12148d80 r11: 0x00007fff71ec9032<br> r12: 0x00007fd1214a05f0 r13: 0x0000000000000028 r14: 0x00007fd1214a0670 r15: 0x0000000000000000<br> rip: 0x00007fff6699081d rfl: 0x0000000000010202 cr2: 0x000007fd12148d98</p> <p dir="auto">Logical CPU: 4<br> Error Code: 0x00000004 (no mapping for user data read)<br> Trap Number: 14</p> <p dir="auto">Binary Images:<br> 0x1047c2000 - 0x104815fdb +com.github.Electron (12.0.8 - 12.0.8) /Users/USER/<em>/Electron.app/Contents/MacOS/Electron<br> 0x10481e000 - 0x10c285fef +com.github.Electron.framework (12.0.8) &lt;9A268754-8167-3C44-8C09-C30D1329ED85&gt; /Users/USER/</em>/Electron.app/Contents/Frameworks/Electron Framework.framework/Versions/A/Electron Framework<br> 0x10cabe000 - 0x10caf9fff +com.github.Squirrel (1.0 - 1) /Users/USER/<em>/Electron.app/Contents/Frameworks/Squirrel.framework/Versions/A/Squirrel<br> 0x10cb10000 - 0x10cb7bff7 +com.electron.reactive (3.1.0 - 0.0.0) &lt;88230766-080F-3E3C-8298-916D321C7C58&gt; /Users/USER/</em>/Electron.app/Contents/Frameworks/ReactiveObjC.framework/Versions/A/ReactiveObjC<br> 0x10cb9f000 - 0x10cbd2ff7 +org.mantle.Mantle (1.0 - 0.0.0) /Users/USER/<em>/Electron.app/Contents/Frameworks/Mantle.framework/Versions/A/Mantle<br> 0x10cbe4000 - 0x10ce7bff7 +libffmpeg.dylib (0) /Users/USER/</em>/Electron.app/Contents/Frameworks/Electron Framework.framework/Versions/A/Libraries/libffmpeg.dylib<br> 0x10dc11000 - 0x10dc14047 libobjc-trampolines.dylib (787.1) &lt;88F9B648-C455-36F8-BBB9-7D1A9F57D073&gt; /usr/lib/libobjc-trampolines.dylib<br> 0x10dc6b000 - 0x10dcfcf47 dyld (750.6) &lt;1DCAF85D-70A4-3405-A868-25AF3DC1F32B&gt; /usr/lib/dyld<br> 0x7fff20aa7000 - 0x7fff20ac2ff7 libJapaneseConverter.dylib (76) /System/Library/CoreServices/Encodings/libJapaneseConverter.dylib<br> 0x7fff211d5000 - 0x7fff2144affc com.apple.AMDRadeonX6000MTLDriver (3.10.19 - 3.1.0) &lt;4B72032C-658F-3164-96E8-18BCBAF84C72&gt; /System/Library/Extensions/AMDRadeonX6000MTLDriver.bundle/Contents/MacOS/AMDRadeonX6000MTLDriver<br> 0x7fff292c1000 - 0x7fff294bcff8 com.apple.avfoundation (2.0 - 1855.3) &lt;0837D912-3783-35D6-A94A-E474E18600CF&gt; /System/Library/Frameworks/AVFoundation.framework/Versions/A/AVFoundation<br> 0x7fff294bd000 - 0x7fff29589ffe com.apple.audio.AVFAudio (1.0 - 415.75) /System/Library/Frameworks/AVFoundation.framework/Versions/A/Frameworks/AVFAudio.framework/Versions/A/AVFAudio<br> 0x7fff296a9000 - 0x7fff296a9fff com.apple.Accelerate (1.11 - Accelerate 1.11) &lt;4F9977AE-DBDB-3A16-A536-AC1F9938DCDD&gt; /System/Library/Frameworks/Accelerate.framework/Versions/A/Accelerate<br> 0x7fff296aa000 - 0x7fff296c0fef libCGInterfaces.dylib (524.2.1) &lt;8FD09D09-BB19-36C5-ADE9-4F22DA235AEE&gt; /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vImage.framework/Versions/A/Libraries/libCGInterfaces.dylib<br> 0x7fff296c1000 - 0x7fff29d17fff com.apple.vImage (8.1 - 524.2.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vImage.framework/Versions/A/vImage<br> 0x7fff29d18000 - 0x7fff29f7fff7 libBLAS.dylib (1303.60.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Versions/A/libBLAS.dylib<br> 0x7fff29f80000 - 0x7fff2a453fef libBNNS.dylib (144.100.2) &lt;99C61C48-B14C-3DA6-8C31-6BF72DA0A3A9&gt; /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Versions/A/libBNNS.dylib<br> 0x7fff2a454000 - 0x7fff2a7effff libLAPACK.dylib (1303.60.1) &lt;5E3E3867-50C3-3E6A-9A2E-007CE77A4641&gt; /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Versions/A/libLAPACK.dylib<br> 0x7fff2a7f0000 - 0x7fff2a805fec libLinearAlgebra.dylib (1303.60.1) &lt;3D433800-0099-33E0-8C81-15F83247B2C9&gt; /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Versions/A/libLinearAlgebra.dylib<br> 0x7fff2a806000 - 0x7fff2a80bff3 libQuadrature.dylib (7) &lt;371F36A7-B12F-363E-8955-F24F7C2048F6&gt; /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Versions/A/libQuadrature.dylib<br> 0x7fff2a80c000 - 0x7fff2a87cfff libSparse.dylib (103) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Versions/A/libSparse.dylib<br> 0x7fff2a87d000 - 0x7fff2a88ffef libSparseBLAS.dylib (1303.60.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Versions/A/libSparseBLAS.dylib<br> 0x7fff2a890000 - 0x7fff2aa67fd7 libvDSP.dylib (735.140.1) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Versions/A/libvDSP.dylib<br> 0x7fff2aa68000 - 0x7fff2ab2afef libvMisc.dylib (735.140.1) &lt;3601FDE3-B142-398D-987D-8151A51F0A96&gt; /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Versions/A/libvMisc.dylib<br> 0x7fff2ab2b000 - 0x7fff2ab2bfff com.apple.Accelerate.vecLib (3.11 - vecLib 3.11) /System/Library/Frameworks/Accelerate.framework/Versions/A/Frameworks/vecLib.framework/Versions/A/vecLib<br> 0x7fff2ab2c000 - 0x7fff2ab8bff0 com.apple.Accounts (113 - 113) /System/Library/Frameworks/Accounts.framework/Versions/A/Accounts<br> 0x7fff2acd5000 - 0x7fff2ba95ff2 com.apple.AppKit (6.9 - 1894.60.100) &lt;763827BC-780B-30A9-B067-B04D8E90910B&gt; /System/Library/Frameworks/AppKit.framework/Versions/C/AppKit<br> 0x7fff2bae5000 - 0x7fff2bae5fff com.apple.ApplicationServices (48 - 50) &lt;4758C933-0823-3B84-8E68-03DA706CC208&gt; /System/Library/Frameworks/ApplicationServices.framework/Versions/A/ApplicationServices<br> 0x7fff2bae6000 - 0x7fff2bb51fff com.apple.ApplicationServices.ATS (377 - 493.0.4.1) &lt;87EA5DE1-506A-39FD-88BE-D8A3416C9012&gt; /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ATS.framework/Versions/A/ATS<br> 0x7fff2bbea000 - 0x7fff2bc28ff0 libFontRegistry.dylib (274.0.5.1) /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ATS.framework/Versions/A/Resources/libFontRegistry.dylib<br> 0x7fff2bc83000 - 0x7fff2bcb2fff com.apple.ATSUI (1.0 - 1) &lt;5F513967-DDD7-3F22-AD14-8A38ABD9F2D0&gt; /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ATSUI.framework/Versions/A/ATSUI<br> 0x7fff2bcb3000 - 0x7fff2bcb7ffb com.apple.ColorSyncLegacy (4.13.0 - 1) &lt;72EE68DB-F069-37F5-AA2A-40D5FCF139F4&gt; /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/ColorSyncLegacy.framework/Versions/A/ColorSyncLegacy<br> 0x7fff2bd51000 - 0x7fff2bda8ffa com.apple.HIServices (1.22 - 676) &lt;14DF4D42-E24D-3EBD-9A9D-93124D8D6AA1&gt; /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/HIServices.framework/Versions/A/HIServices<br> 0x7fff2bda9000 - 0x7fff2bdb7fff com.apple.LangAnalysis (1.7.0 - 1.7.0) &lt;01B8B6B3-E2C3-3607-B34A-8283A7E0E924&gt; /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/LangAnalysis.framework/Versions/A/LangAnalysis<br> 0x7fff2bdb8000 - 0x7fff2bdfdffa com.apple.print.framework.PrintCore (15.4 - 516.2) &lt;437BCF12-48D2-3770-8BC9-567718FB1BCA&gt; /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/PrintCore.framework/Versions/A/PrintCore<br> 0x7fff2bdfe000 - 0x7fff2be08ff7 com.apple.QD (4.0 - 413) &lt;27A36D07-B5E9-32E6-87B6-3127F260F48D&gt; /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/QD.framework/Versions/A/QD<br> 0x7fff2be09000 - 0x7fff2be16ffc com.apple.speech.synthesis.framework (9.0.24 - 9.0.24) &lt;75344F8F-32CA-3558-B4E6-F56D498250E4&gt; /System/Library/Frameworks/ApplicationServices.framework/Versions/A/Frameworks/SpeechSynthesis.framework/Versions/A/SpeechSynthesis<br> 0x7fff2be17000 - 0x7fff2bef8ff2 com.apple.audio.toolbox.AudioToolbox (1.14 - 1.14) &lt;3A7E709F-DE6E-313B-82A1-1E9C8B734CF5&gt; /System/Library/Frameworks/AudioToolbox.framework/Versions/A/AudioToolbox<br> 0x7fff2befa000 - 0x7fff2befafff com.apple.audio.units.AudioUnit (1.14 - 1.14) &lt;76010435-2167-3B23-9E2A-E73F7F6C1B25&gt; /System/Library/Frameworks/AudioUnit.framework/Versions/A/AudioUnit<br> 0x7fff2c291000 - 0x7fff2c61fffa com.apple.CFNetwork (1128.1 - 1128.1) &lt;81AE2F6D-46E2-36D9-ADCE-E79E7A869D1D&gt; /System/Library/Frameworks/CFNetwork.framework/Versions/A/CFNetwork<br> 0x7fff2c69b000 - 0x7fff2c69bfff com.apple.Carbon (160 - 162) &lt;49582194-AEFB-3FE9-B9D0-DB4AD24EFEDC&gt; /System/Library/Frameworks/Carbon.framework/Versions/A/Carbon<br> 0x7fff2c69c000 - 0x7fff2c69fff3 com.apple.CommonPanels (1.2.6 - 101) &lt;9F6E13D9-374B-386F-8E15-FDD6CE967859&gt; /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/CommonPanels.framework/Versions/A/CommonPanels<br> 0x7fff2c6a0000 - 0x7fff2c994ff3 com.apple.HIToolbox (2.1.1 - 994.6) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/HIToolbox.framework/Versions/A/HIToolbox<br> 0x7fff2c995000 - 0x7fff2c998ff3 com.apple.help (1.3.8 - 71) &lt;36483951-6F3E-3F7E-8A5B-191C2357EF17&gt; /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Help.framework/Versions/A/Help<br> 0x7fff2c999000 - 0x7fff2c99eff7 com.apple.ImageCapture (9.0 - 1600.65) &lt;1A1F320E-3E85-3F3D-8AE0-B238C4E92D40&gt; /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/ImageCapture.framework/Versions/A/ImageCapture<br> 0x7fff2c99f000 - 0x7fff2c99ffff com.apple.ink.framework (10.15 - 227) &lt;284507AE-EF47-3ABC-86A4-669243DB1D33&gt; /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Ink.framework/Versions/A/Ink<br> 0x7fff2c9a0000 - 0x7fff2c9baffa com.apple.openscripting (1.7 - 185.1) /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/OpenScripting.framework/Versions/A/OpenScripting<br> 0x7fff2c9db000 - 0x7fff2c9dbfff com.apple.print.framework.Print (15 - 271) &lt;0D9FB08F-EA87-3BE7-821B-C61BA5601050&gt; /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/Print.framework/Versions/A/Print<br> 0x7fff2c9dc000 - 0x7fff2c9deff7 com.apple.securityhi (9.0 - 55008) &lt;390C6FAA-99BF-3924-9180-9EAE41D9C6BE&gt; /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SecurityHI.framework/Versions/A/SecurityHI<br> 0x7fff2c9df000 - 0x7fff2c9e5fff com.apple.speech.recognition.framework (6.0.3 - 6.0.3) &lt;9614A01E-8303-3422-A3BA-6CE27540E09A&gt; /System/Library/Frameworks/Carbon.framework/Versions/A/Frameworks/SpeechRecognition.framework/Versions/A/SpeechRecognition<br> 0x7fff2c9e6000 - 0x7fff2cb7effa com.apple.cloudkit.CloudKit (867 - 867) &lt;1B851180-FC00-357F-B6C1-BB0EA7D6D5CA&gt; /System/Library/Frameworks/CloudKit.framework/Versions/A/CloudKit<br> 0x7fff2cb7f000 - 0x7fff2cb7ffff com.apple.Cocoa (6.11 - 23) &lt;4C81A68B-4967-3688-BB6C-7C19E78EA20F&gt; /System/Library/Frameworks/Cocoa.framework/Versions/A/Cocoa<br> 0x7fff2cb8d000 - 0x7fff2cc83fff com.apple.ColorSync (4.13.0 - 3394.9) /System/Library/Frameworks/ColorSync.framework/Versions/A/ColorSync<br> 0x7fff2cd75000 - 0x7fff2ceaeff6 com.apple.contacts (1.0 - 3455.18) &lt;57696192-BF9D-3946-8C78-35FCEF406B00&gt; /System/Library/Frameworks/Contacts.framework/Versions/A/Contacts<br> 0x7fff2cf6e000 - 0x7fff2d477ffb com.apple.audio.CoreAudio (5.0 - 5.0) &lt;47923B12-3D14-328A-9C86-27A3A2A73068&gt; /System/Library/Frameworks/CoreAudio.framework/Versions/A/CoreAudio<br> 0x7fff2d4ca000 - 0x7fff2d502fff com.apple.CoreBluetooth (1.0 - 1) &lt;23DBB313-A082-3C08-8E1F-2D31EE4247EF&gt; /System/Library/Frameworks/CoreBluetooth.framework/Versions/A/CoreBluetooth<br> 0x7fff2d503000 - 0x7fff2d8edfe8 com.apple.CoreData (120 - 977.3) &lt;49AE61CA-C91E-31FE-9BD0-1AACFFB5181E&gt; /System/Library/Frameworks/CoreData.framework/Versions/A/CoreData<br> 0x7fff2d8ee000 - 0x7fff2da20ff6 com.apple.CoreDisplay (1.0 - 186.6.15) &lt;213D7011-8180-3CF4-9BE7-FB8F75DCDB95&gt; /System/Library/Frameworks/CoreDisplay.framework/Versions/A/CoreDisplay<br> 0x7fff2da21000 - 0x7fff2dea1ff2 com.apple.CoreFoundation (6.9 - 1677.205) &lt;83F301FE-DE7E-315D-B4EA-CDA62F114F0A&gt; /System/Library/Frameworks/CoreFoundation.framework/Versions/A/CoreFoundation<br> 0x7fff2dea3000 - 0x7fff2e518fe8 com.apple.CoreGraphics (2.0 - 1355.24) &lt;041366C9-FE91-3B58-95DD-5800A817BAB6&gt; /System/Library/Frameworks/CoreGraphics.framework/Versions/A/CoreGraphics<br> 0x7fff2e526000 - 0x7fff2e881ff0 com.apple.CoreImage (15.0.0 - 940.9) &lt;69361069-01AB-342E-862B-73A74271A765&gt; /System/Library/Frameworks/CoreImage.framework/Versions/A/CoreImage<br> 0x7fff2e882000 - 0x7fff2e8ebff0 com.apple.corelocation (2394.0.22 - 2394.0.22) &lt;75966124-2FB7-33C3-BE49-3DD5F327F911&gt; /System/Library/Frameworks/CoreLocation.framework/Versions/A/CoreLocation<br> 0x7fff2e8ec000 - 0x7fff2e93cff6 com.apple.audio.midi.CoreMIDI (1.10 - 88) &lt;017B0334-8AC4-304B-A5E2-C82C51BE1917&gt; /System/Library/Frameworks/CoreMIDI.framework/Versions/A/CoreMIDI<br> 0x7fff2e93f000 - 0x7fff2ec41ff2 com.apple.CoreML (1.0 - 1) /System/Library/Frameworks/CoreML.framework/Versions/A/CoreML<br> 0x7fff2ec42000 - 0x7fff2ed1dffc com.apple.CoreMedia (1.0 - 2625.9) /System/Library/Frameworks/CoreMedia.framework/Versions/A/CoreMedia<br> 0x7fff2ed1e000 - 0x7fff2ed80ffe com.apple.CoreMediaIO (1000.0 - 5125.6) /System/Library/Frameworks/CoreMediaIO.framework/Versions/A/CoreMediaIO<br> 0x7fff2ee0a000 - 0x7fff2ee0afff com.apple.CoreServices (1069.24 - 1069.24) /System/Library/Frameworks/CoreServices.framework/Versions/A/CoreServices<br> 0x7fff2ee0b000 - 0x7fff2ee90fff com.apple.AE (838.1 - 838.1) &lt;2E5FD5AE-8A7F-353F-9BD1-0241F3586181&gt; /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/AE.framework/Versions/A/AE<br> 0x7fff2ee91000 - 0x7fff2f172ff7 com.apple.CoreServices.CarbonCore (1217 - 1217) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/CarbonCore.framework/Versions/A/CarbonCore<br> 0x7fff2f173000 - 0x7fff2f1c0ffd com.apple.DictionaryServices (1.2 - 323.6) &lt;26B70C82-25BC-353A-858F-945B14C803A2&gt; /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/DictionaryServices.framework/Versions/A/DictionaryServices<br> 0x7fff2f1c1000 - 0x7fff2f1c9ff7 com.apple.CoreServices.FSEvents (1268.100.1 - 1268.100.1) /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/FSEvents.framework/Versions/A/FSEvents<br> 0x7fff2f1ca000 - 0x7fff2f404ff6 com.apple.LaunchServices (1069.24 - 1069.24) &lt;9A5359D9-9148-3B18-B868-56A9DA5FB60C&gt; /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/LaunchServices.framework/Versions/A/LaunchServices<br> 0x7fff2f405000 - 0x7fff2f49dff1 com.apple.Metadata (10.7.0 - 2076.7) &lt;0973F7E5-D58C-3574-A3CE-4F12CAC2D4C7&gt; /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/Metadata.framework/Versions/A/Metadata<br> 0x7fff2f49e000 - 0x7fff2f4cbfff com.apple.CoreServices.OSServices (1069.24 - 1069.24) &lt;0E4F48AD-402C-3E9D-9CA9-6DD9479B28F9&gt; /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/OSServices.framework/Versions/A/OSServices<br> 0x7fff2f4cc000 - 0x7fff2f533fff com.apple.SearchKit (1.4.1 - 1.4.1) &lt;2C5E1D85-E8B1-3DC5-91B9-E3EDB48E9369&gt; /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/SearchKit.framework/Versions/A/SearchKit<br> 0x7fff2f534000 - 0x7fff2f558ff5 com.apple.coreservices.SharedFileList (131.4 - 131.4) &lt;02DE0D56-E371-3EF5-9BC1-FA435451B412&gt; /System/Library/Frameworks/CoreServices.framework/Versions/A/Frameworks/SharedFileList.framework/Versions/A/SharedFileList<br> 0x7fff2f559000 - 0x7fff2f5cafff com.apple.CoreSpotlight (1.0 - 2076.7) &lt;30F95EA5-8DB6-39D9-BF46-C486CAC7AA7B&gt; /System/Library/Frameworks/CoreSpotlight.framework/Versions/A/CoreSpotlight<br> 0x7fff2f7b5000 - 0x7fff2f87cffc com.apple.CoreTelephony (113 - 7560.1) &lt;31D93EB1-0A20-3383-9680-090E441F25D8&gt; /System/Library/Frameworks/CoreTelephony.framework/Versions/A/CoreTelephony<br> 0x7fff2f87d000 - 0x7fff2fa34ffc com.apple.CoreText (643.1.5.5 - 643.1.5.5) &lt;8573E719-F71C-3123-8394-701E4989E34A&gt; /System/Library/Frameworks/CoreText.framework/Versions/A/CoreText<br> 0x7fff2fa35000 - 0x7fff2fa79ffb com.apple.CoreVideo (1.8 - 344.3) &lt;5314E70D-325F-3E98-99FC-00FDF520747E&gt; /System/Library/Frameworks/CoreVideo.framework/Versions/A/CoreVideo<br> 0x7fff2fa7a000 - 0x7fff2fb07ffc com.apple.framework.CoreWLAN (13.0 - 1601.2) &lt;6223BFD5-D451-3DE9-90F6-F609AC0B0027&gt; /System/Library/Frameworks/CoreWLAN.framework/Versions/A/CoreWLAN<br> 0x7fff2fb3e000 - 0x7fff2fb7eff5 com.apple.CryptoTokenKit (1.0 - 1) &lt;85B4A992-8B61-39FB-BCDE-05A2D5989D74&gt; /System/Library/Frameworks/CryptoTokenKit.framework/Versions/A/CryptoTokenKit<br> 0x7fff2fcc3000 - 0x7fff2fcceff7 com.apple.DirectoryService.Framework (10.15 - 220.40.1) &lt;6EACB7D0-A013-3D2B-93D2-5113F7C2559D&gt; /System/Library/Frameworks/DirectoryService.framework/Versions/A/DirectoryService<br> 0x7fff2fccf000 - 0x7fff2fd79ff0 com.apple.DiscRecording (9.0.3 - 9030.4.5) /System/Library/Frameworks/DiscRecording.framework/Versions/A/DiscRecording<br> 0x7fff2fd9e000 - 0x7fff2fda4fff com.apple.DiskArbitration (2.7 - 2.7) &lt;14572D3E-7743-31E3-8777-A7BE2EAF518F&gt; /System/Library/Frameworks/DiskArbitration.framework/Versions/A/DiskArbitration<br> 0x7fff2fdcb000 - 0x7fff2ff78ffc com.apple.ical.EventKit (3.0 - 1370.5.1) /System/Library/Frameworks/EventKit.framework/Versions/A/EventKit<br> 0x7fff2ff99000 - 0x7fff300c7ff6 com.apple.FileProvider (304.1 - 304.1) /System/Library/Frameworks/FileProvider.framework/Versions/A/FileProvider<br> 0x7fff300dc000 - 0x7fff300deff3 com.apple.ForceFeedback (1.0.6 - 1.0.6) &lt;9B324178-4FAA-3686-9E01-634607F38493&gt; /System/Library/Frameworks/ForceFeedback.framework/Versions/A/ForceFeedback<br> 0x7fff300df000 - 0x7fff304a4fff com.apple.Foundation (6.9 - 1677.205) &lt;1D3A7414-141E-3170-9D18-69A53F1ACAAC&gt; /System/Library/Frameworks/Foundation.framework/Versions/C/Foundation<br> 0x7fff30511000 - 0x7fff30561ff7 com.apple.GSS (4.0 - 2.0) &lt;1B6FCC64-7ED0-30E4-AD2D-AD35D621981D&gt; /System/Library/Frameworks/GSS.framework/Versions/A/GSS<br> 0x7fff30562000 - 0x7fff3058aff4 com.apple.GameController (1.0 - 1) &lt;2B7F0994-4B32-3B08-B58A-3FA5A5E65AF4&gt; /System/Library/Frameworks/GameController.framework/Versions/A/GameController<br> 0x7fff3069e000 - 0x7fff307b2ff3 com.apple.Bluetooth (7.0.6 - 7.0.6f8) /System/Library/Frameworks/IOBluetooth.framework/Versions/A/IOBluetooth<br> 0x7fff30818000 - 0x7fff308bcff3 com.apple.framework.IOKit (2.0.2 - 1726.148.1) &lt;0A9D244C-AECC-3D29-86DE-4F3B04F8DD25&gt; /System/Library/Frameworks/IOKit.framework/Versions/A/IOKit<br> 0x7fff308be000 - 0x7fff308cfffb com.apple.IOSurface (269.11 - 269.11) /System/Library/Frameworks/IOSurface.framework/Versions/A/IOSurface<br> 0x7fff308ed000 - 0x7fff3094dff5 com.apple.ImageCaptureCore (1.0 - 1600.65) &lt;281CE141-B350-30E2-B345-FC7E7DF1AA3A&gt; /System/Library/Frameworks/ImageCaptureCore.framework/Versions/A/ImageCaptureCore<br> 0x7fff3094e000 - 0x7fff30aabfe6 com.apple.ImageIO.framework (3.3.0 - 1976.11.6) &lt;1B271746-8BFA-382B-A223-4D4B4AD12504&gt; /System/Library/Frameworks/ImageIO.framework/Versions/A/ImageIO<br> 0x7fff30aac000 - 0x7fff30aaffff libGIF.dylib (1976.11.6) /System/Library/Frameworks/ImageIO.framework/Versions/A/Resources/libGIF.dylib<br> 0x7fff30ab0000 - 0x7fff30b69fe7 libJP2.dylib (1976.11.6) &lt;56C503FB-B37D-352D-B77A-D8BF1160289B&gt; /System/Library/Frameworks/ImageIO.framework/Versions/A/Resources/libJP2.dylib<br> 0x7fff30b6a000 - 0x7fff30b8dfe3 libJPEG.dylib (1976.11.6) /System/Library/Frameworks/ImageIO.framework/Versions/A/Resources/libJPEG.dylib<br> 0x7fff30e0a000 - 0x7fff30e24fef libPng.dylib (1976.11.6) &lt;7C2D2001-B75A-33AF-A498-0B7B0C5E4DAD&gt; /System/Library/Frameworks/ImageIO.framework/Versions/A/Resources/libPng.dylib<br> 0x7fff30e25000 - 0x7fff30e26fff libRadiance.dylib (1976.11.6) &lt;1BA2051B-890C-39B8-9489-6187D1C2F404&gt; /System/Library/Frameworks/ImageIO.framework/Versions/A/Resources/libRadiance.dylib<br> 0x7fff30e27000 - 0x7fff30e6dfff libTIFF.dylib (1976.11.6) /System/Library/Frameworks/ImageIO.framework/Versions/A/Resources/libTIFF.dylib<br> 0x7fff30e86000 - 0x7fff31315ff8 com.apple.Intents (1.0 - 1) /System/Library/Frameworks/Intents.framework/Versions/A/Intents<br> 0x7fff31318000 - 0x7fff323b8ff1 com.apple.JavaScriptCore (15609 - 15609.4.1) &lt;18766B97-AB12-331C-984C-F1C7C9363E8B&gt; /System/Library/Frameworks/JavaScriptCore.framework/Versions/A/JavaScriptCore<br> 0x7fff323cf000 - 0x7fff323e1ff3 com.apple.Kerberos (3.0 - 1) &lt;03BB492B-016E-37BF-B020-39C2CF7487FE&gt; /System/Library/Frameworks/Kerberos.framework/Versions/A/Kerberos<br> 0x7fff323e2000 - 0x7fff323e2fff libHeimdalProxy.dylib (77) &lt;0A2905EE-9533-3345-AF9B-AAC71513BDFD&gt; /System/Library/Frameworks/Kerberos.framework/Versions/A/Libraries/libHeimdalProxy.dylib<br> 0x7fff323e3000 - 0x7fff32419ff7 com.apple.LDAPFramework (2.4.28 - 194.5) &lt;020B3FA5-C305-3B13-9DFB-1D526EC3C96F&gt; /System/Library/Frameworks/LDAP.framework/Versions/A/LDAP<br> 0x7fff3252d000 - 0x7fff3254fffc com.apple.CoreAuthentication.SharedUtils (1.0 - 693.140.3) /System/Library/Frameworks/LocalAuthentication.framework/Support/SharedUtils.framework/Versions/A/SharedUtils<br> 0x7fff32550000 - 0x7fff32566ff2 com.apple.LocalAuthentication (1.0 - 693.140.3) &lt;5D391FD1-391B-390A-BBC1-62A537C8DAFE&gt; /System/Library/Frameworks/LocalAuthentication.framework/Versions/A/LocalAuthentication<br> 0x7fff32774000 - 0x7fff3277effb com.apple.MediaAccessibility (1.0 - 125.1) &lt;98065EA1-3484-3A5A-B05C-D2FABED8CEA4&gt; /System/Library/Frameworks/MediaAccessibility.framework/Versions/A/MediaAccessibility<br> 0x7fff32792000 - 0x7fff32849ff7 com.apple.MediaPlayer (1.0 - 1.0) /System/Library/Frameworks/MediaPlayer.framework/Versions/A/MediaPlayer<br> 0x7fff3284a000 - 0x7fff32f97ff2 com.apple.MediaToolbox (1.0 - 2625.9) &lt;3A848992-9182-382A-BF7D-5CB9707BE27B&gt; /System/Library/Frameworks/MediaToolbox.framework/Versions/A/MediaToolbox<br> 0x7fff32f99000 - 0x7fff33063fff com.apple.Metal (212.8 - 212.8) &lt;98C944D6-62C8-355E-90F8-C1CA2429EF24&gt; /System/Library/Frameworks/Metal.framework/Versions/A/Metal<br> 0x7fff33065000 - 0x7fff3307fff5 com.apple.MetalKit (141.2 - 141.2) /System/Library/Frameworks/MetalKit.framework/Versions/A/MetalKit<br> 0x7fff33080000 - 0x7fff330bdff7 com.apple.MetalPerformanceShaders.MPSCore (1.0 - 1) &lt;7EBAC15D-7837-395D-B405-1E29F7DA68FA&gt; /System/Library/Frameworks/MetalPerformanceShaders.framework/Frameworks/MPSCore.framework/Versions/A/MPSCore<br> 0x7fff330be000 - 0x7fff33148fe2 com.apple.MetalPerformanceShaders.MPSImage (1.0 - 1) /System/Library/Frameworks/MetalPerformanceShaders.framework/Frameworks/MPSImage.framework/Versions/A/MPSImage<br> 0x7fff33149000 - 0x7fff3316eff4 com.apple.MetalPerformanceShaders.MPSMatrix (1.0 - 1) &lt;02006D92-E2AB-3892-A96B-37F6520C19BA&gt; /System/Library/Frameworks/MetalPerformanceShaders.framework/Frameworks/MPSMatrix.framework/Versions/A/MPSMatrix<br> 0x7fff3316f000 - 0x7fff33184ffb com.apple.MetalPerformanceShaders.MPSNDArray (1.0 - 1) /System/Library/Frameworks/MetalPerformanceShaders.framework/Frameworks/MPSNDArray.framework/Versions/A/MPSNDArray<br> 0x7fff33185000 - 0x7fff332e3ffc com.apple.MetalPerformanceShaders.MPSNeuralNetwork (1.0 - 1) &lt;05612E06-50CB-318F-9F8E-EF4D49FAB3B0&gt; /System/Library/Frameworks/MetalPerformanceShaders.framework/Frameworks/MPSNeuralNetwork.framework/Versions/A/MPSNeuralNetwork<br> 0x7fff332e4000 - 0x7fff33333ff4 com.apple.MetalPerformanceShaders.MPSRayIntersector (1.0 - 1) /System/Library/Frameworks/MetalPerformanceShaders.framework/Frameworks/MPSRayIntersector.framework/Versions/A/MPSRayIntersector<br> 0x7fff33334000 - 0x7fff33335ff5 com.apple.MetalPerformanceShaders.MetalPerformanceShaders (1.0 - 1) /System/Library/Frameworks/MetalPerformanceShaders.framework/Versions/A/MetalPerformanceShaders<br> 0x7fff343d5000 - 0x7fff343e1ffe com.apple.NetFS (6.0 - 4.0) &lt;57CABC68-0585-3989-9161-157DBB544B82&gt; /System/Library/Frameworks/NetFS.framework/Versions/A/NetFS<br> 0x7fff343e2000 - 0x7fff34539ff3 com.apple.Network (1.0 - 1) &lt;4A0F3B93-4D23-3E74-9A3D-AD19E9C0E59E&gt; /System/Library/Frameworks/Network.framework/Versions/A/Network<br> 0x7fff3453a000 - 0x7fff3479affa com.apple.NetworkExtension (1.0 - 1) &lt;3ED35C5A-B170-373E-8277-D4198E408810&gt; /System/Library/Frameworks/NetworkExtension.framework/Versions/A/NetworkExtension<br> 0x7fff36f6b000 - 0x7fff36fc3fff com.apple.opencl (3.5 - 3.5) /System/Library/Frameworks/OpenCL.framework/Versions/A/OpenCL<br> 0x7fff36fc4000 - 0x7fff36fe0fff com.apple.CFOpenDirectory (10.15 - 220.40.1) &lt;7E6C88EB-3DD9-32B0-81FC-179552834FA9&gt; /System/Library/Frameworks/OpenDirectory.framework/Versions/A/Frameworks/CFOpenDirectory.framework/Versions/A/CFOpenDirectory<br> 0x7fff36fe1000 - 0x7fff36fecffd com.apple.OpenDirectory (10.15 - 220.40.1) &lt;4A92D8D8-A9E5-3A9C-942F-28576F6BCDF5&gt; /System/Library/Frameworks/OpenDirectory.framework/Versions/A/OpenDirectory<br> 0x7fff37952000 - 0x7fff37954fff libCVMSPluginSupport.dylib (17.10.22) &lt;50071DF6-251A-3F7E-A9EC-0625BDD24F7F&gt; /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libCVMSPluginSupport.dylib<br> 0x7fff37955000 - 0x7fff3795afff libCoreFSCache.dylib (176.16.1) /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libCoreFSCache.dylib<br> 0x7fff3795b000 - 0x7fff3795ffff libCoreVMClient.dylib (176.16.1) /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libCoreVMClient.dylib<br> 0x7fff37960000 - 0x7fff37968ff7 libGFXShared.dylib (17.10.22) &lt;7358D2D6-F046-3DA7-B80A-039F950BF484&gt; /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGFXShared.dylib<br> 0x7fff37969000 - 0x7fff37973fff libGL.dylib (17.10.22) /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGL.dylib<br> 0x7fff37974000 - 0x7fff379a8ff7 libGLImage.dylib (17.10.22) /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLImage.dylib<br> 0x7fff37b3e000 - 0x7fff37b7afff libGLU.dylib (17.10.22) &lt;66BCAD33-0264-31AB-966C-66DD4359EAF4&gt; /System/Library/Frameworks/OpenGL.framework/Versions/A/Libraries/libGLU.dylib<br> 0x7fff385b6000 - 0x7fff385c5ff7 com.apple.opengl (17.10.22 - 17.10.22) &lt;5B337C5E-F97E-32F0-AD50-2C293BFCA7FB&gt; /System/Library/Frameworks/OpenGL.framework/Versions/A/OpenGL<br> 0x7fff38777000 - 0x7fff3886aff5 com.apple.PDFKit (1.0 - 845.4.1) /System/Library/Frameworks/PDFKit.framework/Versions/A/PDFKit<br> 0x7fff3886b000 - 0x7fff38982ff9 com.apple.PencilKit (1.0 - 1) &lt;95301D00-CE35-3F53-BAE1-6E6217706702&gt; /System/Library/Frameworks/PencilKit.framework/Versions/A/PencilKit<br> 0x7fff38c23000 - 0x7fff38c29ff6 com.apple.PushKit (1.0 - 1) /System/Library/Frameworks/PushKit.framework/Versions/A/PushKit<br> 0x7fff38d4a000 - 0x7fff38f90ff7 com.apple.imageKit (3.0 - 1081) &lt;5F086EE2-5745-3E28-B292-1DE5E0652E36&gt; /System/Library/Frameworks/Quartz.framework/Versions/A/Frameworks/ImageKit.framework/Versions/A/ImageKit<br> 0x7fff38f91000 - 0x7fff39450fff com.apple.QuartzComposer (5.1 - 378) &lt;9C10ADF7-94B0-3779-AD44-5AF6394A32AF&gt; /System/Library/Frameworks/Quartz.framework/Versions/A/Frameworks/QuartzComposer.framework/Versions/A/QuartzComposer<br> 0x7fff39451000 - 0x7fff39476ffc com.apple.quartzfilters (1.10.0 - Tag) &lt;876E8B28-9500-34C6-B297-EA404D89C903&gt; /System/Library/Frameworks/Quartz.framework/Versions/A/Frameworks/QuartzFilters.framework/Versions/A/QuartzFilters<br> 0x7fff39477000 - 0x7fff39581ff7 com.apple.QuickLookUIFramework (5.0 - 906.3) &lt;7128FB8C-83B0-3250-BF86-E8A1772CF1F5&gt; /System/Library/Frameworks/Quartz.framework/Versions/A/Frameworks/QuickLookUI.framework/Versions/A/QuickLookUI<br> 0x7fff39582000 - 0x7fff39582fff com.apple.quartzframework (1.5 - 23) &lt;0E9BC89B-B86F-3E94-866A-AC0863522BF5&gt; /System/Library/Frameworks/Quartz.framework/Versions/A/Quartz<br> 0x7fff39583000 - 0x7fff39806ffb com.apple.QuartzCore (1.11 - 841.5) &lt;26281BD1-499F-37C0-885C-58DD9245525D&gt; /System/Library/Frameworks/QuartzCore.framework/Versions/A/QuartzCore<br> 0x7fff39807000 - 0x7fff39860ff5 com.apple.QuickLookFramework (5.0 - 906.3) &lt;959CE934-B541-3172-846F-4D1709353526&gt; /System/Library/Frameworks/QuickLook.framework/Versions/A/QuickLook<br> 0x7fff39861000 - 0x7fff39896ffc com.apple.QuickLookThumbnailing (1.0 - 1) &lt;9CCB50D8-AA39-3744-93FB-7B5B65467AB3&gt; /System/Library/Frameworks/QuickLookThumbnailing.framework/Versions/A/QuickLookThumbnailing<br> 0x7fff39d67000 - 0x7fff39d81ff2 com.apple.SafariServices.framework (15610 - 15610.2.11.51.10) &lt;15E5509B-9AE4-3980-971A-74E9E80996FB&gt; /System/Library/Frameworks/SafariServices.framework/Versions/A/SafariServices<br> 0x7fff3a389000 - 0x7fff3a6d2ff1 com.apple.security (7.0 - 59306.140.6) /System/Library/Frameworks/Security.framework/Versions/A/Security<br> 0x7fff3a6d3000 - 0x7fff3a75bffb com.apple.securityfoundation (6.0 - 55236.60.1) /System/Library/Frameworks/SecurityFoundation.framework/Versions/A/SecurityFoundation<br> 0x7fff3a75c000 - 0x7fff3a789ff7 com.apple.securityinterface (10.0 - 55139.120.1) &lt;72DC3440-6D3E-39DF-B8A8-85ADAE8D38FC&gt; /System/Library/Frameworks/SecurityInterface.framework/Versions/A/SecurityInterface<br> 0x7fff3a78a000 - 0x7fff3a78eff8 com.apple.xpc.ServiceManagement (1.0 - 1) &lt;0065A95F-0AEB-306D-94DC-6E7F70AA6EBD&gt; /System/Library/Frameworks/ServiceManagement.framework/Versions/A/ServiceManagement<br> 0x7fff3aac2000 - 0x7fff3aadfff9 com.apple.StoreKit (1.0 - 1) /System/Library/Frameworks/StoreKit.framework/Versions/A/StoreKit<br> 0x7fff3b43a000 - 0x7fff3b4b4ff7 com.apple.SystemConfiguration (1.19 - 1.19) &lt;84F9B3BB-F7AF-3B7C-8CD0-D3C22D19619F&gt; /System/Library/Frameworks/SystemConfiguration.framework/Versions/A/SystemConfiguration<br> 0x7fff3b67d000 - 0x7fff3b6b2ff2 com.apple.UserNotifications (1.0 - ???) &lt;8DB163D1-66F0-3B52-933F-48F945E3FF4D&gt; /System/Library/Frameworks/UserNotifications.framework/Versions/A/UserNotifications<br> 0x7fff3b734000 - 0x7fff3bab7ff4 com.apple.VideoToolbox (1.0 - 2625.9) &lt;6CF18E28-A7A8-3952-8171-7E4FF4FB37FA&gt; /System/Library/Frameworks/VideoToolbox.framework/Versions/A/VideoToolbox<br> 0x7fff3bab8000 - 0x7fff3bd3bfff com.apple.VN (3.0.97 - 3.0.97) &lt;078CA4E3-B131-306F-A760-D45CB3F1AD0D&gt; /System/Library/Frameworks/Vision.framework/Versions/A/Vision<br> 0x7fff3f424000 - 0x7fff3f4e9fe7 com.apple.APFS (1412.141.2 - 1412.141.2) /System/Library/PrivateFrameworks/APFS.framework/Versions/A/APFS<br> 0x7fff3fe39000 - 0x7fff3feeaff6 com.apple.accounts.AccountsDaemon (113 - 113) /System/Library/PrivateFrameworks/AccountsDaemon.framework/Versions/A/AccountsDaemon<br> 0x7fff4048d000 - 0x7fff405e2ff2 com.apple.AddressBook.core (1.0 - 1) &lt;56464766-2D02-3795-92C5-E5DB6DDA6D38&gt; /System/Library/PrivateFrameworks/AddressBookCore.framework/Versions/A/AddressBookCore<br> 0x7fff405fe000 - 0x7fff405ffff1 com.apple.AggregateDictionary (1.0 - 1) &lt;95A291F5-B69F-3C37-9483-C3B2EBF52AC1&gt; /System/Library/PrivateFrameworks/AggregateDictionary.framework/Versions/A/AggregateDictionary<br> 0x7fff40a4d000 - 0x7fff40b98ff5 com.apple.AnnotationKit (1.0 - 325.9) &lt;9BB0EDB6-3808-30FC-B0ED-764DE5AAB893&gt; /System/Library/PrivateFrameworks/AnnotationKit.framework/Versions/A/AnnotationKit<br> 0x7fff40b99000 - 0x7fff40bb6ff4 com.apple.AppContainer (4.0 - 448.100.6) &lt;87CEE13C-8585-3EFB-92CD-0852DFF0921B&gt; /System/Library/PrivateFrameworks/AppContainer.framework/Versions/A/AppContainer<br> 0x7fff40c0b000 - 0x7fff40c19ff7 com.apple.AppSandbox (4.0 - 448.100.6) &lt;0F49AA04-3400-349A-9096-6D4D7ED61027&gt; /System/Library/PrivateFrameworks/AppSandbox.framework/Versions/A/AppSandbox<br> 0x7fff40c1c000 - 0x7fff40c7aff5 com.apple.AppStoreDaemon (1.0 - 1) &lt;5A01D730-DB70-3441-ADC1-D7DF17E39578&gt; /System/Library/PrivateFrameworks/AppStoreDaemon.framework/Versions/A/AppStoreDaemon<br> 0x7fff41004000 - 0x7fff41069ff7 com.apple.AppSupport (1.0.0 - 29) &lt;7408886B-B0CC-3EF0-9F11-9088DEE266ED&gt; /System/Library/PrivateFrameworks/AppSupport.framework/Versions/A/AppSupport<br> 0x7fff41095000 - 0x7fff410b9ffb com.apple.framework.Apple80211 (13.0 - 1610.1) /System/Library/PrivateFrameworks/Apple80211.framework/Versions/A/Apple80211<br> 0x7fff410ba000 - 0x7fff411edff3 com.apple.AppleAccount (1.0 - 1.0) &lt;939881CD-B6FE-36F7-AE17-602329EE352D&gt; /System/Library/PrivateFrameworks/AppleAccount.framework/Versions/A/AppleAccount<br> 0x7fff41377000 - 0x7fff41386fd7 com.apple.AppleFSCompression (119.100.1 - 1.0) &lt;466ABD77-2E52-36D1-8E39-77AE2CC61611&gt; /System/Library/PrivateFrameworks/AppleFSCompression.framework/Versions/A/AppleFSCompression<br> 0x7fff41485000 - 0x7fff41490ff7 com.apple.AppleIDAuthSupport (1.0 - 1) &lt;74F6CD9C-27A7-39C7-A7EB-47E60D2517EB&gt; /System/Library/PrivateFrameworks/AppleIDAuthSupport.framework/Versions/A/AppleIDAuthSupport<br> 0x7fff41491000 - 0x7fff414d1ff1 com.apple.AppleIDSSOAuthentication (1.0 - 1) /System/Library/PrivateFrameworks/AppleIDSSOAuthentication.framework/Versions/A/AppleIDSSOAuthentication<br> 0x7fff414d2000 - 0x7fff4151aff7 com.apple.AppleJPEG (1.0 - 1) &lt;6DE30A07-C627-319B-A0DE-EB7A832BEB88&gt; /System/Library/PrivateFrameworks/AppleJPEG.framework/Versions/A/AppleJPEG<br> 0x7fff4151b000 - 0x7fff4152bff7 com.apple.AppleLDAP (10.15 - 52) /System/Library/PrivateFrameworks/AppleLDAP.framework/Versions/A/AppleLDAP<br> 0x7fff4152c000 - 0x7fff418d0ffd com.apple.AppleMediaServices (1.0 - 1) &lt;533DB7DE-4799-3A05-B75F-AEE8B45FF6F5&gt; /System/Library/PrivateFrameworks/AppleMediaServices.framework/Versions/A/AppleMediaServices<br> 0x7fff418dd000 - 0x7fff41903ffb com.apple.aps.framework (4.0 - 4.0) &lt;3ED300B6-43E3-31DC-B3C6-6A0FF41A2595&gt; /System/Library/PrivateFrameworks/ApplePushService.framework/Versions/A/ApplePushService<br> 0x7fff41904000 - 0x7fff41908ff7 com.apple.AppleSRP (5.0 - 1) &lt;70C25EA9-F7A7-366C-97C6-EEE7845FFCC3&gt; /System/Library/PrivateFrameworks/AppleSRP.framework/Versions/A/AppleSRP<br> 0x7fff41909000 - 0x7fff4192bfff com.apple.applesauce (1.0 - 16.25) &lt;68E0364C-AEA7-3654-A030-136BF3CD92F3&gt; /System/Library/PrivateFrameworks/AppleSauce.framework/Versions/A/AppleSauce<br> 0x7fff419ea000 - 0x7fff419edfff com.apple.AppleSystemInfo (3.1.5 - 3.1.5) &lt;67255151-F989-39F0-BC87-0C0BDAE70730&gt; /System/Library/PrivateFrameworks/AppleSystemInfo.framework/Versions/A/AppleSystemInfo<br> 0x7fff419ee000 - 0x7fff41a3eff7 com.apple.AppleVAFramework (6.1.2 - 6.1.2) /System/Library/PrivateFrameworks/AppleVA.framework/Versions/A/AppleVA<br> 0x7fff41a87000 - 0x7fff41a96ff9 com.apple.AssertionServices (1.0 - 223.140.2) &lt;48AD21CA-B81D-380E-A04F-90C48FDA5203&gt; /System/Library/PrivateFrameworks/AssertionServices.framework/Versions/A/AssertionServices<br> 0x7fff41fd9000 - 0x7fff423d4ff8 com.apple.audio.AudioResourceArbitration (1.0 - 1) &lt;2BD68521-C19C-3D67-B5EB-DE3E9A4DAF0A&gt; /System/Library/PrivateFrameworks/AudioResourceArbitration.framework/Versions/A/AudioResourceArbitration<br> 0x7fff4262a000 - 0x7fff4286aff8 com.apple.audio.AudioToolboxCore (1.0 - 1104.97) /System/Library/PrivateFrameworks/AudioToolboxCore.framework/Versions/A/AudioToolboxCore<br> 0x7fff4286e000 - 0x7fff4298afff com.apple.AuthKit (1.0 - 1) /System/Library/PrivateFrameworks/AuthKit.framework/Versions/A/AuthKit<br> 0x7fff42b47000 - 0x7fff42b50ff7 com.apple.coreservices.BackgroundTaskManagement (1.0 - 104) /System/Library/PrivateFrameworks/BackgroundTaskManagement.framework/Versions/A/BackgroundTaskManagement<br> 0x7fff42b51000 - 0x7fff42bf2ff5 com.apple.backup.framework (1.11.7 - 1298.7.1) /System/Library/PrivateFrameworks/Backup.framework/Versions/A/Backup<br> 0x7fff42bf3000 - 0x7fff42c7fff6 com.apple.BaseBoard (466.3 - 466.3) &lt;10D0F3BB-E8F3-365E-8528-6AC996A9B0E7&gt; /System/Library/PrivateFrameworks/BaseBoard.framework/Versions/A/BaseBoard<br> 0x7fff42d50000 - 0x7fff42d80ffa com.apple.BoardServices (1.0 - 466.3) &lt;95D829A0-6339-35F7-BC46-5A54AE62DB30&gt; /System/Library/PrivateFrameworks/BoardServices.framework/Versions/A/BoardServices<br> 0x7fff42d81000 - 0x7fff42dbdff7 com.apple.bom (14.0 - 219.2) &lt;79CBE5E7-054F-377B-9566-A86A9F120CF1&gt; /System/Library/PrivateFrameworks/Bom.framework/Versions/A/Bom<br> 0x7fff42edb000 - 0x7fff42f12ff5 com.apple.C2 (1.3 - 495) &lt;4A7E2A63-E19A-3936-92F5-03F2FD602172&gt; /System/Library/PrivateFrameworks/C2.framework/Versions/A/C2<br> 0x7fff4303e000 - 0x7fff43098ff2 com.apple.CalDAV (8.0 - 790.4.1) /System/Library/PrivateFrameworks/CalDAV.framework/Versions/A/CalDAV<br> 0x7fff43248000 - 0x7fff43273fff com.apple.CalendarAgentLink (8.0 - 250) &lt;57225073-4A73-3AB8-849A-47C0E90B04BF&gt; /System/Library/PrivateFrameworks/CalendarAgentLink.framework/Versions/A/CalendarAgentLink<br> 0x7fff4328c000 - 0x7fff43304ff4 com.apple.CalendarFoundation (8.0 - 1140.6.1) /System/Library/PrivateFrameworks/CalendarFoundation.framework/Versions/A/CalendarFoundation<br> 0x7fff4333b000 - 0x7fff43633ffe com.apple.CalendarPersistence (8.0 - 1040.5.1) &lt;38A88B23-3389-3C3A-AEDE-D42A5F5267C6&gt; /System/Library/PrivateFrameworks/CalendarPersistence.framework/Versions/A/CalendarPersistence<br> 0x7fff4393d000 - 0x7fff4398cfff com.apple.ChunkingLibrary (307 - 307) &lt;5B09C30D-FD2B-3E98-8B64-C5EF470FC13C&gt; /System/Library/PrivateFrameworks/ChunkingLibrary.framework/Versions/A/ChunkingLibrary<br> 0x7fff4398d000 - 0x7fff439fbff9 com.apple.ClassKit (1.2 - 145.6.1) &lt;1AD3AB3B-11A1-3BA6-82F3-CF1A7BAE6E47&gt; /System/Library/PrivateFrameworks/ClassKit.framework/Versions/A/ClassKit<br> 0x7fff43ae7000 - 0x7fff43b72ff8 com.apple.CloudDocs (1.0 - 698.17) &lt;900567ED-DEA4-30D5-A1C0-78BD53C58CD6&gt; /System/Library/PrivateFrameworks/CloudDocs.framework/Versions/A/CloudDocs<br> 0x7fff44839000 - 0x7fff44849ffb com.apple.CommonAuth (4.0 - 2.0) &lt;7A6E5A56-7929-3E44-8FCC-FE1DC6751082&gt; /System/Library/PrivateFrameworks/CommonAuth.framework/Versions/A/CommonAuth<br> 0x7fff4485d000 - 0x7fff44874fff com.apple.commonutilities (8.0 - 900) /System/Library/PrivateFrameworks/CommonUtilities.framework/Versions/A/CommonUtilities<br> 0x7fff44b08000 - 0x7fff44b44ffa com.apple.contacts.ContactsAutocomplete (1.0 - 1138) &lt;7355EC48-BA3B-333E-A2DD-C7622382FAE4&gt; /System/Library/PrivateFrameworks/ContactsAutocomplete.framework/Versions/A/ContactsAutocomplete<br> 0x7fff44b75000 - 0x7fff44bf9ff9 com.apple.AddressBook.ContactsFoundation (8.0 - 1118.9) /System/Library/PrivateFrameworks/ContactsFoundation.framework/Versions/A/ContactsFoundation<br> 0x7fff44bfa000 - 0x7fff44c37ff0 com.apple.contacts.ContactsPersistence (1.0 - 3455.18) &lt;7597C280-EED8-313F-BE2F-72FAD1CB090F&gt; /System/Library/PrivateFrameworks/ContactsPersistence.framework/Versions/A/ContactsPersistence<br> 0x7fff44f7b000 - 0x7fff45350fc8 com.apple.CoreAUC (283.0.0 - 283.0.0) &lt;4341271C-D270-3F9F-8464-31A20D15158D&gt; /System/Library/PrivateFrameworks/CoreAUC.framework/Versions/A/CoreAUC<br> 0x7fff45351000 - 0x7fff4537eff7 com.apple.CoreAVCHD (6.1.0 - 6100.4.1) /System/Library/PrivateFrameworks/CoreAVCHD.framework/Versions/A/CoreAVCHD<br> 0x7fff453a1000 - 0x7fff453c2ff4 com.apple.analyticsd (1.0 - 1) &lt;7BAD537E-C905-330D-BABF-AA0AA0FE0E27&gt; /System/Library/PrivateFrameworks/CoreAnalytics.framework/Versions/A/CoreAnalytics<br> 0x7fff454cb000 - 0x7fff45541ff7 com.apple.corebrightness (1.0 - 1) /System/Library/PrivateFrameworks/CoreBrightness.framework/Versions/A/CoreBrightness<br> 0x7fff4563b000 - 0x7fff456ccffe com.apple.coredav (1.0.1 - 870.4.1) &lt;62E621B9-DA73-371A-9B39-FFDE54AED5B1&gt; /System/Library/PrivateFrameworks/CoreDAV.framework/Versions/A/CoreDAV<br> 0x7fff456cd000 - 0x7fff456d8ff7 com.apple.frameworks.CoreDaemon (1.3 - 1.3) /System/Library/PrivateFrameworks/CoreDaemon.framework/Versions/B/CoreDaemon<br> 0x7fff456d9000 - 0x7fff458e4ff1 com.apple.CoreDuet (1.0 - 1) /System/Library/PrivateFrameworks/CoreDuet.framework/Versions/A/CoreDuet<br> 0x7fff458e5000 - 0x7fff45932ff3 com.apple.coreduetcontext (1.0 - 1) &lt;72341E86-6921-35FE-89CA-7B04725ECC0F&gt; /System/Library/PrivateFrameworks/CoreDuetContext.framework/Versions/A/CoreDuetContext<br> 0x7fff45933000 - 0x7fff45943ffe com.apple.CoreDuetDaemonProtocol (1.0 - 1) &lt;5E31B761-4B30-39A8-9084-97ECFD268B6F&gt; /System/Library/PrivateFrameworks/CoreDuetDaemonProtocol.framework/Versions/A/CoreDuetDaemonProtocol<br> 0x7fff45946000 - 0x7fff45948fff com.apple.CoreDuetDebugLogging (1.0 - 1) &lt;6D0113DB-61D8-3A21-95CB-9E30D8F929F9&gt; /System/Library/PrivateFrameworks/CoreDuetDebugLogging.framework/Versions/A/CoreDuetDebugLogging<br> 0x7fff45959000 - 0x7fff45969ff3 com.apple.CoreEmoji (1.0 - 107.1) &lt;7C2B3259-083B-31B8-BCDB-1BA360529936&gt; /System/Library/PrivateFrameworks/CoreEmoji.framework/Versions/A/CoreEmoji<br> 0x7fff45b1f000 - 0x7fff45c6cfff com.apple.CoreHandwriting (161 - 1.2) &lt;21DAD964-51A7-3F38-9C91-EF46C0CFF12D&gt; /System/Library/PrivateFrameworks/CoreHandwriting.framework/Versions/A/CoreHandwriting<br> 0x7fff45fa9000 - 0x7fff46013ff0 com.apple.CoreNLP (1.0 - 213) /System/Library/PrivateFrameworks/CoreNLP.framework/Versions/A/CoreNLP<br> 0x7fff462d6000 - 0x7fff4635effe com.apple.CorePDF (4.0 - 518.4.1) &lt;8F94505C-96C2-3694-BEC7-F3B5581A7AB9&gt; /System/Library/PrivateFrameworks/CorePDF.framework/Versions/A/CorePDF<br> 0x7fff46441000 - 0x7fff46449ff8 com.apple.CorePhoneNumbers (1.0 - 1) /System/Library/PrivateFrameworks/CorePhoneNumbers.framework/Versions/A/CorePhoneNumbers<br> 0x7fff46d5d000 - 0x7fff46d68ffa com.apple.corerecents (1.0 - 1) &lt;57697048-D149-34D0-9499-05821C791EA2&gt; /System/Library/PrivateFrameworks/CoreRecents.framework/Versions/A/CoreRecents<br> 0x7fff46e36000 - 0x7fff46e59fff com.apple.CoreSVG (1.0 - 129.3) /System/Library/PrivateFrameworks/CoreSVG.framework/Versions/A/CoreSVG<br> 0x7fff46e5a000 - 0x7fff46e8dfff com.apple.CoreServicesInternal (446.7 - 446.7) &lt;65F53A22-6B61-382C-AAC2-B2C53F8FFB44&gt; /System/Library/PrivateFrameworks/CoreServicesInternal.framework/Versions/A/CoreServicesInternal<br> 0x7fff46e8e000 - 0x7fff46ebcffd com.apple.CSStore (1069.24 - 1069.24) /System/Library/PrivateFrameworks/CoreServicesStore.framework/Versions/A/CoreServicesStore<br> 0x7fff47041000 - 0x7fff470e4fff com.apple.CoreSuggestions (1.0 - 1052.34) &lt;6F34A41F-04D1-35A5-8EBC-D5EBC2BCB3D6&gt; /System/Library/PrivateFrameworks/CoreSuggestions.framework/Versions/A/CoreSuggestions<br> 0x7fff473e1000 - 0x7fff47477ff7 com.apple.CoreSymbolication (11.4 - 64535.33.2) &lt;0B3BF87A-7F95-3D79-B4F8-421D6FAC4A6C&gt; /System/Library/PrivateFrameworks/CoreSymbolication.framework/Versions/A/CoreSymbolication<br> 0x7fff4750f000 - 0x7fff4763bff6 com.apple.coreui (2.1 - 609.4) &lt;788818B7-7EBC-316D-9464-D12E365E3791&gt; /System/Library/PrivateFrameworks/CoreUI.framework/Versions/A/CoreUI<br> 0x7fff4763c000 - 0x7fff477f5ffa com.apple.CoreUtils (6.2.4 - 624.7) /System/Library/PrivateFrameworks/CoreUtils.framework/Versions/A/CoreUtils<br> 0x7fff4792f000 - 0x7fff47942ff1 com.apple.CrashReporterSupport (10.13 - 15016.1) /System/Library/PrivateFrameworks/CrashReporterSupport.framework/Versions/A/CrashReporterSupport<br> 0x7fff479fb000 - 0x7fff47a0dff8 com.apple.framework.DFRFoundation (1.0 - 252.50.1) &lt;8162057E-E856-3451-9160-04AEDDECFFA4&gt; /System/Library/PrivateFrameworks/DFRFoundation.framework/Versions/A/DFRFoundation<br> 0x7fff47a0e000 - 0x7fff47a13fff com.apple.DSExternalDisplay (3.1 - 380) &lt;31ECB5FD-7660-33DB-BC5B-2B2A2AA7C686&gt; /System/Library/PrivateFrameworks/DSExternalDisplay.framework/Versions/A/DSExternalDisplay<br> 0x7fff47a9d000 - 0x7fff47b17ff0 com.apple.datadetectorscore (8.0 - 659) /System/Library/PrivateFrameworks/DataDetectorsCore.framework/Versions/A/DataDetectorsCore<br> 0x7fff47b19000 - 0x7fff47b62ffe com.apple.DataDetectorsNaturalLanguage (1.0 - 154) /System/Library/PrivateFrameworks/DataDetectorsNaturalLanguage.framework/Versions/A/DataDetectorsNaturalLanguage<br> 0x7fff47b63000 - 0x7fff47ba0ff8 com.apple.DebugSymbols (194 - 194) &lt;040AE30B-CF2C-3798-A289-0929B8CAB10D&gt; /System/Library/PrivateFrameworks/DebugSymbols.framework/Versions/A/DebugSymbols<br> 0x7fff47ba1000 - 0x7fff47d29ff6 com.apple.desktopservices (1.14.6 - 1281.6.1) /System/Library/PrivateFrameworks/DesktopServicesPriv.framework/Versions/A/DesktopServicesPriv<br> 0x7fff47fd8000 - 0x7fff480a0ffe com.apple.DiskImagesFramework (559.100.2 - 559.100.2) &lt;65F24DF5-1B62-3F6B-9188-ED39634D2AE7&gt; /System/Library/PrivateFrameworks/DiskImages.framework/Versions/A/DiskImages<br> 0x7fff480a1000 - 0x7fff48174ff1 com.apple.DiskManagement (13.0 - 1648.140.2) &lt;640DBACE-B6EC-3C72-9F73-F484E891534E&gt; /System/Library/PrivateFrameworks/DiskManagement.framework/Versions/A/DiskManagement<br> 0x7fff48175000 - 0x7fff48179ff1 com.apple.DisplayServicesFW (3.1 - 380) &lt;4D71ADB3-B29D-3D20-B6DE-9E94061F86AC&gt; /System/Library/PrivateFrameworks/DisplayServices.framework/Versions/A/DisplayServices<br> 0x7fff481d3000 - 0x7fff481f7ff7 com.apple.DuetActivityScheduler (1.0 - 1) &lt;188C6793-A94C-3B49-A9F4-AF8A348C7E62&gt; /System/Library/PrivateFrameworks/DuetActivityScheduler.framework/Versions/A/DuetActivityScheduler<br> 0x7fff48221000 - 0x7fff48256ff7 com.apple.SystemConfiguration.EAP8021X (14.0.0 - 14.0) /System/Library/PrivateFrameworks/EAP8021X.framework/Versions/A/EAP8021X<br> 0x7fff48257000 - 0x7fff4825bff9 com.apple.EFILogin (2.0 - 2) &lt;3BFE697B-469F-38F4-B380-4A4F4A37C836&gt; /System/Library/PrivateFrameworks/EFILogin.framework/Versions/A/EFILogin<br> 0x7fff48d8f000 - 0x7fff48da4ff2 com.apple.Engram (1.0 - 1) &lt;83200CE7-9D5C-32B8-90B9-D762AC748D8B&gt; /System/Library/PrivateFrameworks/Engram.framework/Versions/A/Engram<br> 0x7fff48da5000 - 0x7fff4940fff9 com.apple.vision.EspressoFramework (1.0 - 188.4) &lt;70B1521B-1B24-3DA4-A41B-E727CF140F1F&gt; /System/Library/PrivateFrameworks/Espresso.framework/Versions/A/Espresso<br> 0x7fff49458000 - 0x7fff494b5ff2 com.apple.ExchangeWebServices (8.0 - 807) &lt;7CA35906-0702-37D4-BE2B-C75EA6B1490C&gt; /System/Library/PrivateFrameworks/ExchangeWebServices.framework/Versions/A/ExchangeWebServices<br> 0x7fff496ea000 - 0x7fff49b05ff1 com.apple.vision.FaceCore (4.3.0 - 4.3.0) &lt;5D32F65D-2CD7-3204-975C-F4C9256E505F&gt; /System/Library/PrivateFrameworks/FaceCore.framework/Versions/A/FaceCore<br> 0x7fff4a1a4000 - 0x7fff4a2daffc libFontParser.dylib (277.2.6.6) /System/Library/PrivateFrameworks/FontServices.framework/libFontParser.dylib<br> 0x7fff4a2db000 - 0x7fff4a30ffff libTrueTypeScaler.dylib (277.2.6.6) &lt;653F9E57-5337-35CD-B1BE-165052FC9CF1&gt; /System/Library/PrivateFrameworks/FontServices.framework/libTrueTypeScaler.dylib<br> 0x7fff4a373000 - 0x7fff4a383ff6 libhvf.dylib (1.0 - $[CURRENT_PROJECT_VERSION]) &lt;202E45A7-B23F-3873-87CA-5D39D30D757F&gt; /System/Library/PrivateFrameworks/FontServices.framework/libhvf.dylib<br> 0x7fff4a3ff000 - 0x7fff4a415ffb com.apple.Futhark (1.0 - 1) /System/Library/PrivateFrameworks/Futhark.framework/Versions/A/Futhark<br> 0x7fff4d864000 - 0x7fff4d865fff libmetal_timestamp.dylib (902.14.11) /System/Library/PrivateFrameworks/GPUCompiler.framework/Versions/3902/Libraries/libmetal_timestamp.dylib<br> 0x7fff4ef1f000 - 0x7fff4ef25fff com.apple.GPUWrangler (5.2.7 - 5.2.7) /System/Library/PrivateFrameworks/GPUWrangler.framework/Versions/A/GPUWrangler<br> 0x7fff4f244000 - 0x7fff4f26aff1 com.apple.GenerationalStorage (2.0 - 314) &lt;54483E50-20BB-3AF8-900F-992320C109B0&gt; /System/Library/PrivateFrameworks/GenerationalStorage.framework/Versions/A/GenerationalStorage<br> 0x7fff4f283000 - 0x7fff5026cff1 com.apple.GeoServices (1.0 - 1624.26.4.26.9) /System/Library/PrivateFrameworks/GeoServices.framework/Versions/A/GeoServices<br> 0x7fff50398000 - 0x7fff503a6ffb com.apple.GraphVisualizer (1.0 - 100.1) &lt;507D5812-9CB4-3C94-938C-59ED2B370818&gt; /System/Library/PrivateFrameworks/GraphVisualizer.framework/Versions/A/GraphVisualizer<br> 0x7fff5040f000 - 0x7fff5041cff9 com.apple.HID (1.0 - 1) &lt;0C27FC33-B645-3B7B-AAB5-E6F8F3A0A34D&gt; /System/Library/PrivateFrameworks/HID.framework/Versions/A/HID<br> 0x7fff50545000 - 0x7fff50603ff4 com.apple.Heimdal (4.0 - 2.0) &lt;6F292E47-3C40-33ED-9AD7-18FC9939E2CF&gt; /System/Library/PrivateFrameworks/Heimdal.framework/Versions/A/Heimdal<br> 0x7fff51da6000 - 0x7fff51ea4ffd com.apple.ids (10.0 - 1000) &lt;3C63AA92-553A-397B-B84A-BE3F443C3CEF&gt; /System/Library/PrivateFrameworks/IDS.framework/Versions/A/IDS<br> 0x7fff51ea5000 - 0x7fff51fe1ff5 com.apple.idsfoundation (10.0 - 1000) /System/Library/PrivateFrameworks/IDSFoundation.framework/Versions/A/IDSFoundation<br> 0x7fff525ff000 - 0x7fff5265fff2 com.apple.imfoundation (10.0 - 1000) /System/Library/PrivateFrameworks/IMFoundation.framework/Versions/A/IMFoundation<br> 0x7fff52785000 - 0x7fff5278effe com.apple.IOAccelMemoryInfo (1.0 - 1) /System/Library/PrivateFrameworks/IOAccelMemoryInfo.framework/Versions/A/IOAccelMemoryInfo<br> 0x7fff5278f000 - 0x7fff52797ff5 com.apple.IOAccelerator (438.7.4 - 438.7.4) &lt;3C973800-3AE0-3908-9922-EFBC57C3F5B2&gt; /System/Library/PrivateFrameworks/IOAccelerator.framework/Versions/A/IOAccelerator<br> 0x7fff527a4000 - 0x7fff527bbfff com.apple.IOPresentment (47.10 - 37) /System/Library/PrivateFrameworks/IOPresentment.framework/Versions/A/IOPresentment<br> 0x7fff52b43000 - 0x7fff52b8eff1 com.apple.IconServices (438.3 - 438.3) &lt;0DADB4C3-46FF-3FDB-8A86-51E2067FC7F4&gt; /System/Library/PrivateFrameworks/IconServices.framework/Versions/A/IconServices<br> 0x7fff52d2b000 - 0x7fff52d39fff com.apple.IntentsFoundation (1.0 - 1) &lt;1BC7D355-E136-391A-8215-6982742645DD&gt; /System/Library/PrivateFrameworks/IntentsFoundation.framework/Versions/A/IntentsFoundation<br> 0x7fff52d4c000 - 0x7fff52d53ff9 com.apple.InternationalSupport (1.0 - 45.4) &lt;8D8D4A7D-FD35-36B8-A456-7C93030EDAB3&gt; /System/Library/PrivateFrameworks/InternationalSupport.framework/Versions/A/InternationalSupport<br> 0x7fff52d54000 - 0x7fff52d56ff3 com.apple.InternationalTextSearch (1.0 - 1) &lt;0BB2FA58-04BD-31FB-9F8B-D57ADF9E4BB2&gt; /System/Library/PrivateFrameworks/InternationalTextSearch.framework/Versions/A/InternationalTextSearch<br> 0x7fff52fd3000 - 0x7fff52fdfff7 com.apple.KerberosHelper (4.0 - 1.0) &lt;7556CA39-95FC-32A4-9A0C-E42C5497A43B&gt; /System/Library/PrivateFrameworks/KerberosHelper.framework/Versions/A/KerberosHelper<br> 0x7fff52fe0000 - 0x7fff52fffffd com.apple.security.KeychainCircle.KeychainCircle (1.0 - 1) &lt;23F39683-FE1E-3295-BE65-2FB6694B7CBF&gt; /System/Library/PrivateFrameworks/KeychainCircle.framework/Versions/A/KeychainCircle<br> 0x7fff53134000 - 0x7fff53202ffd com.apple.LanguageModeling (1.0 - 215.1) /System/Library/PrivateFrameworks/LanguageModeling.framework/Versions/A/LanguageModeling<br> 0x7fff53203000 - 0x7fff5324bfff com.apple.Lexicon-framework (1.0 - 72) &lt;41F208B9-8255-3EC7-9673-FE0925D071D3&gt; /System/Library/PrivateFrameworks/Lexicon.framework/Versions/A/Lexicon<br> 0x7fff53252000 - 0x7fff53257ff3 com.apple.LinguisticData (1.0 - 353.18) &lt;3B92F249-4602-325F-984B-D2DE61EEE4E1&gt; /System/Library/PrivateFrameworks/LinguisticData.framework/Versions/A/LinguisticData<br> 0x7fff5327e000 - 0x7fff532a2ffe com.apple.locationsupport (2394.0.22 - 2394.0.22) /System/Library/PrivateFrameworks/LocationSupport.framework/Versions/A/LocationSupport<br> 0x7fff532fb000 - 0x7fff53300ff7 com.apple.LoginUICore (4.0 - 4.0) &lt;25CA17AF-8A74-3CE3-84D8-67B4A2B76FEA&gt; /System/Library/PrivateFrameworks/LoginUIKit.framework/Versions/A/Frameworks/LoginUICore.framework/Versions/A/LoginUICore<br> 0x7fff53af0000 - 0x7fff53af3fff com.apple.Mangrove (1.0 - 25) &lt;482F300F-9B70-351F-A4DF-B440EEF7368D&gt; /System/Library/PrivateFrameworks/Mangrove.framework/Versions/A/Mangrove<br> 0x7fff53cb0000 - 0x7fff53cb0ff5 com.apple.marco (10.0 - 1000) /System/Library/PrivateFrameworks/Marco.framework/Versions/A/Marco<br> 0x7fff53cb1000 - 0x7fff53cd7ffc com.apple.MarkupUI (1.0 - 325.9) /System/Library/PrivateFrameworks/MarkupUI.framework/Versions/A/MarkupUI<br> 0x7fff53d5c000 - 0x7fff53de6ff8 com.apple.MediaExperience (1.0 - 1) &lt;0203AF27-AB5E-32FA-B529-AB7F29EEB887&gt; /System/Library/PrivateFrameworks/MediaExperience.framework/Versions/A/MediaExperience<br> 0x7fff53de7000 - 0x7fff53e1afff com.apple.MediaKit (16 - 923) &lt;09FEE738-41E4-3A9C-AF1E-1DD00C56339D&gt; /System/Library/PrivateFrameworks/MediaKit.framework/Versions/A/MediaKit<br> 0x7fff53edf000 - 0x7fff54275ff9 com.apple.MediaRemote (1.0 - 1) /System/Library/PrivateFrameworks/MediaRemote.framework/Versions/A/MediaRemote<br> 0x7fff54276000 - 0x7fff542b2ffc com.apple.MediaServices (1.0 - 1) /System/Library/PrivateFrameworks/MediaServices.framework/Versions/A/MediaServices<br> 0x7fff545c0000 - 0x7fff5460cfff com.apple.spotlight.metadata.utilities (1.0 - 2076.7) &lt;0237323B-EC78-3FBF-9FC7-5A1FE2B5CE25&gt; /System/Library/PrivateFrameworks/MetadataUtilities.framework/Versions/A/MetadataUtilities<br> 0x7fff5460d000 - 0x7fff546deffa com.apple.gpusw.MetalTools (1.0 - 1) &lt;99876E08-37D7-3828-8796-56D90C9AFBDB&gt; /System/Library/PrivateFrameworks/MetalTools.framework/Versions/A/MetalTools<br> 0x7fff5473c000 - 0x7fff54755ff4 com.apple.MobileAssets (1.0 - 619.120.1) &lt;07E116E6-7EBC-39F2-B5B4-31BAB6BAF852&gt; /System/Library/PrivateFrameworks/MobileAsset.framework/Versions/A/MobileAsset<br> 0x7fff54912000 - 0x7fff54930fff com.apple.MobileKeyBag (2.0 - 1.0) /System/Library/PrivateFrameworks/MobileKeyBag.framework/Versions/A/MobileKeyBag<br> 0x7fff549fc000 - 0x7fff54b92ffd com.apple.Montreal (1.0 - 121.1) /System/Library/PrivateFrameworks/Montreal.framework/Versions/A/Montreal<br> 0x7fff54b93000 - 0x7fff54bc3ff7 com.apple.MultitouchSupport.framework (3440.1 - 3440.1) &lt;6794E1C8-9627-33DF-84F4-FDD02C97F383&gt; /System/Library/PrivateFrameworks/MultitouchSupport.framework/Versions/A/MultitouchSupport<br> 0x7fff54e43000 - 0x7fff54f2dffe com.apple.NLP (1.0 - 202) /System/Library/PrivateFrameworks/NLP.framework/Versions/A/NLP<br> 0x7fff550c3000 - 0x7fff550cdfff com.apple.NetAuth (6.2 - 6.2) /System/Library/PrivateFrameworks/NetAuth.framework/Versions/A/NetAuth<br> 0x7fff5518f000 - 0x7fff551abff0 com.apple.network.statistics.framework (1.2 - 1) /System/Library/PrivateFrameworks/NetworkStatistics.framework/Versions/A/NetworkStatistics<br> 0x7fff5583a000 - 0x7fff5583cffe com.apple.OAuth (25 - 25) &lt;7C2D9BA1-E683-3257-8ADB-A4846C8D42F2&gt; /System/Library/PrivateFrameworks/OAuth.framework/Versions/A/OAuth<br> 0x7fff55ae4000 - 0x7fff55b2fffb com.apple.OTSVG (1.0 - 643.1.5.5) &lt;01218F85-C43B-37A0-B124-90D0FA342210&gt; /System/Library/PrivateFrameworks/OTSVG.framework/Versions/A/OTSVG<br> 0x7fff56d4c000 - 0x7fff56d57ff2 com.apple.PerformanceAnalysis (1.243.3 - 243.3) &lt;7B2C4193-68D7-3B95-ACA3-0FDD33A74D45&gt; /System/Library/PrivateFrameworks/PerformanceAnalysis.framework/Versions/A/PerformanceAnalysis<br> 0x7fff56d58000 - 0x7fff56d80ffb com.apple.persistentconnection (1.0 - 1.0) &lt;5B2D87A8-2641-3F6D-ACEA-96B00F85AAB5&gt; /System/Library/PrivateFrameworks/PersistentConnection.framework/Versions/A/PersistentConnection<br> 0x7fff56d81000 - 0x7fff56d8fffe com.apple.PersonaKit (1.0 - 1) &lt;38A5F809-8A7E-355C-AED6-2923F7FF34D4&gt; /System/Library/PrivateFrameworks/PersonaKit.framework/Versions/A/PersonaKit<br> 0x7fff56f39000 - 0x7fff56f39ffa com.apple.PhoneNumbers (1.0 - 1) &lt;8FC8870C-4F82-36F2-8456-A4A990E3F2A4&gt; /System/Library/PrivateFrameworks/PhoneNumbers.framework/Versions/A/PhoneNumbers<br> 0x7fff587fb000 - 0x7fff5882bff7 com.apple.pluginkit.framework (1.0 - 1) /System/Library/PrivateFrameworks/PlugInKit.framework/Versions/A/PlugInKit<br> 0x7fff58856000 - 0x7fff58869ffc com.apple.PowerLog (1.0 - 1) &lt;50B94781-D5BA-3F71-AFD4-583BD61F19F8&gt; /System/Library/PrivateFrameworks/PowerLog.framework/Versions/A/PowerLog<br> 0x7fff594ef000 - 0x7fff5950fff1 com.apple.proactive.support.ProactiveEventTracker (1.0 - 258.5) &lt;5F4988E6-45D7-31BE-9665-BBC3CBE790D3&gt; /System/Library/PrivateFrameworks/ProactiveEventTracker.framework/Versions/A/ProactiveEventTracker<br> 0x7fff59596000 - 0x7fff595ffff2 com.apple.proactive.support.ProactiveSupport (1.0 - 258.5) &lt;82C04814-76A3-394E-AA5F-921E25402B6B&gt; /System/Library/PrivateFrameworks/ProactiveSupport.framework/Versions/A/ProactiveSupport<br> 0x7fff596e5000 - 0x7fff5973fff6 com.apple.ProtectedCloudStorage (1.0 - 1) &lt;6F271388-3817-336D-9B96-08C7AAC4BA39&gt; /System/Library/PrivateFrameworks/ProtectedCloudStorage.framework/Versions/A/ProtectedCloudStorage<br> 0x7fff59740000 - 0x7fff59759ffb com.apple.ProtocolBuffer (1 - 274.24.9.16.3) &lt;5A020941-C43C-303E-8DE8-230FC6A84DBC&gt; /System/Library/PrivateFrameworks/ProtocolBuffer.framework/Versions/A/ProtocolBuffer<br> 0x7fff59793000 - 0x7fff59810fff com.apple.Quagga (1.0 - 1) /System/Library/PrivateFrameworks/Quagga.framework/Versions/A/Quagga<br> 0x7fff5986b000 - 0x7fff5986eff4 com.apple.QuickLookNonBaseSystem (1.0 - 1) &lt;8563CD18-DCFE-3868-912F-053FC8C34B9C&gt; /System/Library/PrivateFrameworks/QuickLookNonBaseSystem.framework/Versions/A/QuickLookNonBaseSystem<br> 0x7fff5986f000 - 0x7fff59892ff0 com.apple.quicklook.QuickLookSupport (1.0 - 1) /System/Library/PrivateFrameworks/QuickLookSupport.framework/Versions/A/QuickLookSupport<br> 0x7fff598d9000 - 0x7fff59952ff3 com.apple.Rapport (1.9.5 - 195.2) /System/Library/PrivateFrameworks/Rapport.framework/Versions/A/Rapport<br> 0x7fff59bb9000 - 0x7fff59be2ff1 com.apple.RemoteViewServices (2.0 - 148) /System/Library/PrivateFrameworks/RemoteViewServices.framework/Versions/A/RemoteViewServices<br> 0x7fff59c66000 - 0x7fff59cb0ffa com.apple.ResponseKit (1.0 - 148.2) &lt;32703B82-A948-3876-B46D-D86B60EF5076&gt; /System/Library/PrivateFrameworks/ResponseKit.framework/Versions/A/ResponseKit<br> 0x7fff59d47000 - 0x7fff59d82ff0 com.apple.RunningBoardServices (1.0 - 223.140.2) &lt;96BB04BD-D6E0-3D70-8F36-89B46DA1DA30&gt; /System/Library/PrivateFrameworks/RunningBoardServices.framework/Versions/A/RunningBoardServices<br> 0x7fff5b663000 - 0x7fff5b666ff5 com.apple.SecCodeWrapper (4.0 - 448.100.6) /System/Library/PrivateFrameworks/SecCodeWrapper.framework/Versions/A/SecCodeWrapper<br> 0x7fff5b7d9000 - 0x7fff5b900fff com.apple.Sharing (1526.37 - 1526.37) /System/Library/PrivateFrameworks/Sharing.framework/Versions/A/Sharing<br> 0x7fff5b978000 - 0x7fff5b998ff5 com.apple.sidecar-core (1.0 - 209.40.4) &lt;469E5222-A5C7-3B09-B617-EDB6E9E46B93&gt; /System/Library/PrivateFrameworks/SidecarCore.framework/Versions/A/SidecarCore<br> 0x7fff5b999000 - 0x7fff5b9abff0 com.apple.sidecar-ui (1.0 - 209.40.4) &lt;5CA517E3-4B92-30B1-96EF-77A7A2FBBEE4&gt; /System/Library/PrivateFrameworks/SidecarUI.framework/Versions/A/SidecarUI<br> 0x7fff5cd15000 - 0x7fff5d00bfff com.apple.SkyLight (1.600.0 - 451.5) &lt;8847E3D3-C246-3D2E-9D04-48BBD71FCEDC&gt; /System/Library/PrivateFrameworks/SkyLight.framework/Versions/A/SkyLight<br> 0x7fff5d858000 - 0x7fff5d866ffb com.apple.SpeechRecognitionCore (6.0.91.2 - 6.0.91.2) &lt;4D6CAC2A-151B-3BBE-BDB7-E2BE72128691&gt; /System/Library/PrivateFrameworks/SpeechRecognitionCore.framework/Versions/A/SpeechRecognitionCore<br> 0x7fff5d928000 - 0x7fff5dbb4ffe com.apple.spotlight.index (10.7.0 - 2076.7) &lt;932C7705-353B-395F-9A23-09D62EAFAD81&gt; /System/Library/PrivateFrameworks/SpotlightIndex.framework/Versions/A/SpotlightIndex<br> 0x7fff5df42000 - 0x7fff5df83ff9 com.apple.StreamingZip (1.0 - 1) &lt;72CA32F8-4C96-3264-A655-623329EB3A28&gt; /System/Library/PrivateFrameworks/StreamingZip.framework/Versions/A/StreamingZip<br> 0x7fff5e09a000 - 0x7fff5e0a3ff7 com.apple.SymptomDiagnosticReporter (1.0 - 1238.120.2) /System/Library/PrivateFrameworks/SymptomDiagnosticReporter.framework/Versions/A/SymptomDiagnosticReporter<br> 0x7fff5e114000 - 0x7fff5e13effe com.apple.framework.SystemAdministration (1.0 - 1.0) &lt;087553CB-5BF3-3D3D-B620-CA36AD334D92&gt; /System/Library/PrivateFrameworks/SystemAdministration.framework/Versions/A/SystemAdministration<br> 0x7fff5e35a000 - 0x7fff5e36aff3 com.apple.TCC (1.0 - 1) /System/Library/PrivateFrameworks/TCC.framework/Versions/A/TCC<br> 0x7fff5e711000 - 0x7fff5e86cff5 com.apple.TextRecognition (1.0 - 157) &lt;24CFAE81-8D0D-39A8-A2F8-3BCFAA93DC1F&gt; /System/Library/PrivateFrameworks/TextRecognition.framework/Versions/A/TextRecognition<br> 0x7fff5e88f000 - 0x7fff5e955ff0 com.apple.TextureIO (3.10.9 - 3.10.9) /System/Library/PrivateFrameworks/TextureIO.framework/Versions/A/TextureIO<br> 0x7fff5eaec000 - 0x7fff5eaedfff com.apple.TrustEvaluationAgent (2.0 - 33) &lt;10E56F70-E234-31E0-9286-96D93A8ED17E&gt; /System/Library/PrivateFrameworks/TrustEvaluationAgent.framework/Versions/A/TrustEvaluationAgent<br> 0x7fff5eb25000 - 0x7fff5ed7dff0 com.apple.UIFoundation (1.0 - 662) /System/Library/PrivateFrameworks/UIFoundation.framework/Versions/A/UIFoundation<br> 0x7fff5ee14000 - 0x7fff5ee1affe com.apple.URLFormatting (119 - 119.18) &lt;7F99D166-86DC-3F77-A34A-2DA7183D7160&gt; /System/Library/PrivateFrameworks/URLFormatting.framework/Versions/A/URLFormatting<br> 0x7fff5fa0c000 - 0x7fff5fa2cffc com.apple.UserManagement (1.0 - 1) &lt;9F00880E-6EA6-3684-B208-455E14EC07C8&gt; /System/Library/PrivateFrameworks/UserManagement.framework/Versions/A/UserManagement<br> 0x7fff607d8000 - 0x7fff608c3ff2 com.apple.ViewBridge (468 - 468) /System/Library/PrivateFrameworks/ViewBridge.framework/Versions/A/ViewBridge<br> 0x7fff60a69000 - 0x7fff60a6afff com.apple.WatchdogClient.framework (1.0 - 67.120.2) /System/Library/PrivateFrameworks/WatchdogClient.framework/Versions/A/WatchdogClient<br> 0x7fff60df9000 - 0x7fff60e34fff libAWDSupport.dylib (949) /System/Library/PrivateFrameworks/WirelessDiagnostics.framework/Versions/A/Libraries/libAWDSupport.dylib<br> 0x7fff60e35000 - 0x7fff61115ff7 libAWDSupportFramework.dylib (3541.2) /System/Library/PrivateFrameworks/WirelessDiagnostics.framework/Versions/A/Libraries/libAWDSupportFramework.dylib<br> 0x7fff61116000 - 0x7fff61127fff libprotobuf-lite.dylib (3541.2) &lt;578CA7D8-149E-3643-937B-DAD5501E4575&gt; /System/Library/PrivateFrameworks/WirelessDiagnostics.framework/Versions/A/Libraries/libprotobuf-lite.dylib<br> 0x7fff61128000 - 0x7fff61181ffb libprotobuf.dylib (3541.2) &lt;0CDB164D-E7C3-3D4F-BF11-47402D67D7B0&gt; /System/Library/PrivateFrameworks/WirelessDiagnostics.framework/Versions/A/Libraries/libprotobuf.dylib<br> 0x7fff61182000 - 0x7fff611c6ff6 com.apple.awd (1.0 - 949) &lt;9DA8A821-4354-3E24-BAA1-4519D2279F2B&gt; /System/Library/PrivateFrameworks/WirelessDiagnostics.framework/Versions/A/WirelessDiagnostics<br> 0x7fff6169a000 - 0x7fff6169dffa com.apple.dt.XCTTargetBootstrap (1.0 - 16091) /System/Library/PrivateFrameworks/XCTTargetBootstrap.framework/Versions/A/XCTTargetBootstrap<br> 0x7fff61717000 - 0x7fff61725ff5 com.apple.audio.caulk (1.0 - 32.3) &lt;06D695EA-E2BC-31E4-9816-9C12542BA744&gt; /System/Library/PrivateFrameworks/caulk.framework/Versions/A/caulk<br> 0x7fff618ed000 - 0x7fff61922ffe com.apple.iCalendar (7.0 - 810.6.1) &lt;21E0DCF2-0B67-3E0C-8D4E-3A81CAB1964E&gt; /System/Library/PrivateFrameworks/iCalendar.framework/Versions/A/iCalendar<br> 0x7fff61a67000 - 0x7fff61a69ff3 com.apple.loginsupport (1.0 - 1) &lt;12F77885-27DC-3837-9CE9-A25EBA75F833&gt; /System/Library/PrivateFrameworks/login.framework/Versions/A/Frameworks/loginsupport.framework/Versions/A/loginsupport<br> 0x7fff61a6a000 - 0x7fff61a7dffd com.apple.login (3.0 - 3.0) /System/Library/PrivateFrameworks/login.framework/Versions/A/login<br> 0x7fff61aaf000 - 0x7fff61abbffd com.apple.perfdata (1.0 - 51.100.6) &lt;21760CFD-62FF-3466-B3AD-191D02411DA0&gt; /System/Library/PrivateFrameworks/perfdata.framework/Versions/A/perfdata<br> 0x7fff61abc000 - 0x7fff61aedffd com.apple.contacts.vCard (1.0 - 3455.18) &lt;2662D17A-7BC0-39FF-8550-8AEDF548AAB8&gt; /System/Library/PrivateFrameworks/vCard.framework/Versions/A/vCard<br> 0x7fff64540000 - 0x7fff6454cff9 libAudioStatistics.dylib (1104.97) &lt;910E0D16-7267-3B47-81F6-1420864A316C&gt; /usr/lib/libAudioStatistics.dylib<br> 0x7fff6454d000 - 0x7fff64580ffa libAudioToolboxUtility.dylib (1104.97) &lt;8B76C584-A8B0-3599-A7D4-8BD75A11FEFF&gt; /usr/lib/libAudioToolboxUtility.dylib<br> 0x7fff64587000 - 0x7fff645bbfff libCRFSuite.dylib (48) &lt;5E5DE3CB-30DD-34DC-AEF8-FE8536A85E96&gt; /usr/lib/libCRFSuite.dylib<br> 0x7fff645be000 - 0x7fff645c8fff libChineseTokenizer.dylib (34) &lt;7F0DA183-1796-315A-B44A-2C234C7C50BE&gt; /usr/lib/libChineseTokenizer.dylib<br> 0x7fff645c9000 - 0x7fff64651fff libCoreStorage.dylib (551) /usr/lib/libCoreStorage.dylib<br> 0x7fff64654000 - 0x7fff64656ff7 libDiagnosticMessagesClient.dylib (112) /usr/lib/libDiagnosticMessagesClient.dylib<br> 0x7fff6469c000 - 0x7fff64853ffb libFosl_dynamic.dylib (100.4) &lt;737573B2-190A-3BA1-8220-807AD0A2CE5E&gt; /usr/lib/libFosl_dynamic.dylib<br> 0x7fff6487a000 - 0x7fff64880ff3 libIOReport.dylib (54) &lt;75D177C4-BAD7-3285-B8E1-3019F49B3178&gt; /usr/lib/libIOReport.dylib<br> 0x7fff64962000 - 0x7fff64969fff libMatch.1.dylib (36) &lt;5C6F3971-9D9E-3630-BDB6-60BFC5A665E0&gt; /usr/lib/libMatch.1.dylib<br> 0x7fff64998000 - 0x7fff649b8ff7 libMobileGestalt.dylib (826.140.5) &lt;2BE94E6A-FA61-312F-84A1-F764D71B7E39&gt; /usr/lib/libMobileGestalt.dylib<br> 0x7fff64a38000 - 0x7fff64b15ff7 libSMC.dylib (20) &lt;5C9C17F2-1E6F-3A19-A440-86F74D82284F&gt; /usr/lib/libSMC.dylib<br> 0x7fff64b2a000 - 0x7fff64b2bfff libSystem.B.dylib (1281.100.1) &lt;79E1F5B4-8B47-3718-A611-F9D14F3FB537&gt; /usr/lib/libSystem.B.dylib<br> 0x7fff64b2c000 - 0x7fff64bb7ff7 libTelephonyUtilDynamic.dylib (5017.1) &lt;174030B2-E35F-3F17-A9EF-DF8631F30CCF&gt; /usr/lib/libTelephonyUtilDynamic.dylib<br> 0x7fff64bb8000 - 0x7fff64bb9fff libThaiTokenizer.dylib (3) &lt;4F4ADE99-0D09-3223-B7C0-C407AB6DE8DC&gt; /usr/lib/libThaiTokenizer.dylib<br> 0x7fff64bd1000 - 0x7fff64be7fff libapple_nghttp2.dylib (1.39.2) &lt;07FEC48A-87CF-32A3-8194-FA70B361713A&gt; /usr/lib/libapple_nghttp2.dylib<br> 0x7fff64c1c000 - 0x7fff64c8eff7 libarchive.2.dylib (72.140.2) /usr/lib/libarchive.2.dylib<br> 0x7fff64c8f000 - 0x7fff64d28fe5 libate.dylib (3.0.1) &lt;76EA60FB-748C-313F-8951-B076540BEA97&gt; /usr/lib/libate.dylib<br> 0x7fff64d2c000 - 0x7fff64d2cff3 libauto.dylib (187) /usr/lib/libauto.dylib<br> 0x7fff64d2d000 - 0x7fff64df1ffe libboringssl.dylib (283.120.1) &lt;935DDB00-6514-3D0C-AEA5-C5FE6BCC0B61&gt; /usr/lib/libboringssl.dylib<br> 0x7fff64df2000 - 0x7fff64e02ffb libbsm.0.dylib (60.100.1) &lt;00BFFB9A-2FFE-3C24-896A-251BC61917FD&gt; /usr/lib/libbsm.0.dylib<br> 0x7fff64e03000 - 0x7fff64e0ffff libbz2.1.0.dylib (44) &lt;14CC4988-B6D4-3879-AFC2-9A0DDC6388DE&gt; /usr/lib/libbz2.1.0.dylib<br> 0x7fff64e10000 - 0x7fff64e62fff libc++.1.dylib (902.1) &lt;59A8239F-C28A-3B59-B8FA-11340DC85EDC&gt; /usr/lib/libc++.1.dylib<br> 0x7fff64e63000 - 0x7fff64e78ffb libc++abi.dylib (902) /usr/lib/libc++abi.dylib<br> 0x7fff64e79000 - 0x7fff64e79fff libcharset.1.dylib (59) &lt;72447768-9244-39AB-8E79-2FA14EC0AD33&gt; /usr/lib/libcharset.1.dylib<br> 0x7fff64e7a000 - 0x7fff64e8bfff libcmph.dylib (8) /usr/lib/libcmph.dylib<br> 0x7fff64e8c000 - 0x7fff64ea3fd7 libcompression.dylib (87) &lt;64C91066-586D-38C0-A2F3-3E60A940F859&gt; /usr/lib/libcompression.dylib<br> 0x7fff6517d000 - 0x7fff65193ff7 libcoretls.dylib (167) &lt;770A5B96-936E-34E3-B006-B1CEC299B5A5&gt; /usr/lib/libcoretls.dylib<br> 0x7fff65194000 - 0x7fff65195fff libcoretls_cfhelpers.dylib (167) &lt;940BF370-FD0C-30A8-AA05-FF48DA44FA4C&gt; /usr/lib/libcoretls_cfhelpers.dylib<br> 0x7fff65638000 - 0x7fff6573cfef libcrypto.44.dylib (47.140.1) /usr/lib/libcrypto.44.dylib<br> 0x7fff6573f000 - 0x7fff6574afff libcsfde.dylib (551) /usr/lib/libcsfde.dylib<br> 0x7fff65752000 - 0x7fff657b1ff7 libcups.2.dylib (483.7) &lt;821ED293-B7B3-3B37-88C9-7B6CA91DA7FA&gt; /usr/lib/libcups.2.dylib<br> 0x7fff657b3000 - 0x7fff65818ff7 libcurl.4.dylib (118.120.5) &lt;854B4C52-1E58-3A61-A73D-431C5C65D8F9&gt; /usr/lib/libcurl.4.dylib<br> 0x7fff658bb000 - 0x7fff658bbfff libenergytrace.dylib (21) &lt;162DFCC0-8F48-3DD0-914F-FA8653E27B26&gt; /usr/lib/libenergytrace.dylib<br> 0x7fff658bc000 - 0x7fff658d4fff libexpat.1.dylib (19.60.2) /usr/lib/libexpat.1.dylib<br> 0x7fff658e2000 - 0x7fff658e4fff libfakelink.dylib (149.1) &lt;36146CB2-E6A5-37BB-9EE8-1B4034D8F3AD&gt; /usr/lib/libfakelink.dylib<br> 0x7fff658f3000 - 0x7fff658f8fff libgermantok.dylib (24) /usr/lib/libgermantok.dylib<br> 0x7fff658f9000 - 0x7fff65902ff7 libheimdal-asn1.dylib (564.140.2) /usr/lib/libheimdal-asn1.dylib<br> 0x7fff65903000 - 0x7fff659f3fff libiconv.2.dylib (59) &lt;18311A67-E4EF-3CC7-95B3-C0EDEE3A282F&gt; /usr/lib/libiconv.2.dylib<br> 0x7fff659f4000 - 0x7fff65c4bfff libicucore.A.dylib (64260.0.1) &lt;8AC2CB07-E7E0-340D-A849-186FA1F27251&gt; /usr/lib/libicucore.A.dylib<br> 0x7fff65c65000 - 0x7fff65c66fff liblangid.dylib (133) &lt;30CFC08C-EF36-3CF5-8AEA-C1CB070306B7&gt; /usr/lib/liblangid.dylib<br> 0x7fff65c67000 - 0x7fff65c7fff3 liblzma.5.dylib (16) /usr/lib/liblzma.5.dylib<br> 0x7fff65c97000 - 0x7fff65d3eff7 libmecab.dylib (883.11) &lt;0D5BFD01-D4A7-3C8D-AA69-C329C1A69792&gt; /usr/lib/libmecab.dylib<br> 0x7fff65d3f000 - 0x7fff65fa1ff1 libmecabra.dylib (883.11) /usr/lib/libmecabra.dylib<br> 0x7fff6630e000 - 0x7fff6633dfff libncurses.5.4.dylib (57) &lt;995DFEEA-40F3-377F-B73D-D02AC59D591F&gt; /usr/lib/libncurses.5.4.dylib<br> 0x7fff6646d000 - 0x7fff668e9ff5 libnetwork.dylib (1880.120.4) /usr/lib/libnetwork.dylib<br> 0x7fff668ea000 - 0x7fff66901fff libnetworkextension.dylib (1095.140.2) /usr/lib/libnetworkextension.dylib<br> 0x7fff6698a000 - 0x7fff669bdfde libobjc.A.dylib (787.1) &lt;6DF81160-5E7F-3E31-AA1E-C875E3B98AF6&gt; /usr/lib/libobjc.A.dylib<br> 0x7fff669be000 - 0x7fff669bfff7 libodfde.dylib (26) &lt;33F49412-5106-35B8-AA60-5A497C3967E6&gt; /usr/lib/libodfde.dylib<br> 0x7fff669d0000 - 0x7fff669d4fff libpam.2.dylib (25.100.1) &lt;0502F395-8EE6-3D2A-9239-06FD5622E19E&gt; /usr/lib/libpam.2.dylib<br> 0x7fff669d7000 - 0x7fff66a0dfff libpcap.A.dylib (89.120.2) &lt;86DAA475-805A-3E01-86C5-6CAE4D1D9BC6&gt; /usr/lib/libpcap.A.dylib<br> 0x7fff66a4d000 - 0x7fff66a5bff9 libperfcheck.dylib (37.100.2) &lt;9D9C4879-8A80-34C4-B0D2-BE341FD6D321&gt; /usr/lib/libperfcheck.dylib<br> 0x7fff66a5c000 - 0x7fff66a5fff3 libpmenergy.dylib (214.120.1) /usr/lib/libpmenergy.dylib<br> 0x7fff66a60000 - 0x7fff66a62fff libpmsample.dylib (214.120.1) /usr/lib/libpmsample.dylib<br> 0x7fff66a91000 - 0x7fff66aa9fff libresolv.9.dylib (67.40.1) /usr/lib/libresolv.9.dylib<br> 0x7fff66aab000 - 0x7fff66aefff7 libsandbox.1.dylib (1217.141.2) /usr/lib/libsandbox.1.dylib<br> 0x7fff66af0000 - 0x7fff66b02ff7 libsasl2.2.dylib (213.120.1) /usr/lib/libsasl2.2.dylib<br> 0x7fff66b03000 - 0x7fff66b04ff7 libspindump.dylib (281.3) /usr/lib/libspindump.dylib<br> 0x7fff66b05000 - 0x7fff66cefff7 libsqlite3.dylib (308.6) &lt;33057143-AB4E-348B-9650-98BC48866F34&gt; /usr/lib/libsqlite3.dylib<br> 0x7fff66de3000 - 0x7fff66e10ffb libssl.46.dylib (47.140.1) &lt;06932872-13DA-33E3-8C28-7B49FC582039&gt; /usr/lib/libssl.46.dylib<br> 0x7fff66e92000 - 0x7fff66ec3ff7 libtidy.A.dylib (17.2) &lt;41B15FFB-6FD2-3E1B-A1F8-E6B12EF3C1EE&gt; /usr/lib/libtidy.A.dylib<br> 0x7fff66ee5000 - 0x7fff66f3fff8 libusrtcp.dylib (1880.120.4) &lt;05346A91-737C-33D0-B21B-F040950DFB28&gt; /usr/lib/libusrtcp.dylib<br> 0x7fff66f40000 - 0x7fff66f43ffb libutil.dylib (57) /usr/lib/libutil.dylib<br> 0x7fff66f44000 - 0x7fff66f51ff7 libxar.1.dylib (425.2) /usr/lib/libxar.1.dylib<br> 0x7fff66f57000 - 0x7fff67039fff libxml2.2.dylib (33.8) /usr/lib/libxml2.2.dylib<br> 0x7fff6703d000 - 0x7fff67065fff libxslt.1.dylib (16.11) /usr/lib/libxslt.1.dylib<br> 0x7fff67066000 - 0x7fff67078ff3 libz.1.dylib (76) &lt;793D9643-CD83-3AAC-8B96-88D548FAB620&gt; /usr/lib/libz.1.dylib<br> 0x7fff67927000 - 0x7fff6792cff3 libcache.dylib (83) /usr/lib/system/libcache.dylib<br> 0x7fff6792d000 - 0x7fff67938fff libcommonCrypto.dylib (60165.120.1) /usr/lib/system/libcommonCrypto.dylib<br> 0x7fff67939000 - 0x7fff67940fff libcompiler_rt.dylib (101.2) &lt;49B8F644-5705-3F16-BBE0-6FFF9B17C36E&gt; /usr/lib/system/libcompiler_rt.dylib<br> 0x7fff67941000 - 0x7fff6794aff7 libcopyfile.dylib (166.40.1) &lt;3C481225-21E7-370A-A30E-0CCFDD64A92C&gt; /usr/lib/system/libcopyfile.dylib<br> 0x7fff6794b000 - 0x7fff679ddfdb libcorecrypto.dylib (866.140.2) /usr/lib/system/libcorecrypto.dylib<br> 0x7fff67aea000 - 0x7fff67b2aff0 libdispatch.dylib (1173.100.2) /usr/lib/system/libdispatch.dylib<br> 0x7fff67b2b000 - 0x7fff67b61fff libdyld.dylib (750.6) &lt;789A18C2-8AC7-3C88-813D-CD674376585D&gt; /usr/lib/system/libdyld.dylib<br> 0x7fff67b62000 - 0x7fff67b62ffb libkeymgr.dylib (30) /usr/lib/system/libkeymgr.dylib<br> 0x7fff67b63000 - 0x7fff67b6fff3 libkxld.dylib (6153.141.28.1) /usr/lib/system/libkxld.dylib<br> 0x7fff67b70000 - 0x7fff67b70ff7 liblaunch.dylib (1738.140.3) &lt;0A07A8E8-EDA1-30C7-9414-0FCC070A45D8&gt; /usr/lib/system/liblaunch.dylib<br> 0x7fff67b71000 - 0x7fff67b76ff7 libmacho.dylib (959.0.1) /usr/lib/system/libmacho.dylib<br> 0x7fff67b77000 - 0x7fff67b79ff3 libquarantine.dylib (110.40.3) /usr/lib/system/libquarantine.dylib<br> 0x7fff67b7a000 - 0x7fff67b7bff7 libremovefile.dylib (48) &lt;7C7EFC79-BD24-33EF-B073-06AED234593E&gt; /usr/lib/system/libremovefile.dylib<br> 0x7fff67b7c000 - 0x7fff67b93ff3 libsystem_asl.dylib (377.60.2) &lt;1563EE02-0657-3B78-99BE-A947C24122EF&gt; /usr/lib/system/libsystem_asl.dylib<br> 0x7fff67b94000 - 0x7fff67b94ff7 libsystem_blocks.dylib (74) &lt;0D53847E-AF5F-3ACF-B51F-A15DEA4DEC58&gt; /usr/lib/system/libsystem_blocks.dylib<br> 0x7fff67b95000 - 0x7fff67c1cfff libsystem_c.dylib (1353.100.2) /usr/lib/system/libsystem_c.dylib<br> 0x7fff67c1d000 - 0x7fff67c20ffb libsystem_configuration.dylib (1061.141.1) &lt;0EE84C33-64FD-372B-974A-AF7A136F2068&gt; /usr/lib/system/libsystem_configuration.dylib<br> 0x7fff67c21000 - 0x7fff67c24fff libsystem_coreservices.dylib (114) /usr/lib/system/libsystem_coreservices.dylib<br> 0x7fff67c25000 - 0x7fff67c2dfff libsystem_darwin.dylib (1353.100.2) &lt;5B12B5DB-3F30-37C1-8ECC-49A66B1F2864&gt; /usr/lib/system/libsystem_darwin.dylib<br> 0x7fff67c2e000 - 0x7fff67c35fff libsystem_dnssd.dylib (1096.100.3) /usr/lib/system/libsystem_dnssd.dylib<br> 0x7fff67c36000 - 0x7fff67c37ffb libsystem_featureflags.dylib (17) &lt;29FD922A-EC2C-3F25-BCCC-B58D716E60EC&gt; /usr/lib/system/libsystem_featureflags.dylib<br> 0x7fff67c38000 - 0x7fff67c85ff7 libsystem_info.dylib (538) &lt;8A321605-5480-330B-AF9E-64E65DE61747&gt; /usr/lib/system/libsystem_info.dylib<br> 0x7fff67c86000 - 0x7fff67cb2ff7 libsystem_kernel.dylib (6153.141.28.1) /usr/lib/system/libsystem_kernel.dylib<br> 0x7fff67cb3000 - 0x7fff67cfafff libsystem_m.dylib (3178) &lt;00F331F1-0D09-39B3-8736-1FE90E64E903&gt; /usr/lib/system/libsystem_m.dylib<br> 0x7fff67cfb000 - 0x7fff67d22fff libsystem_malloc.dylib (283.100.6) &lt;8549294E-4C53-36EB-99F3-584A7393D8D5&gt; /usr/lib/system/libsystem_malloc.dylib<br> 0x7fff67d23000 - 0x7fff67d30ffb libsystem_networkextension.dylib (1095.140.2) /usr/lib/system/libsystem_networkextension.dylib<br> 0x7fff67d31000 - 0x7fff67d3aff7 libsystem_notify.dylib (241.100.2) /usr/lib/system/libsystem_notify.dylib<br> 0x7fff67d3b000 - 0x7fff67d43fef libsystem_platform.dylib (220.100.1) &lt;009A7C1F-313A-318E-B9F2-30F4C06FEA5C&gt; /usr/lib/system/libsystem_platform.dylib<br> 0x7fff67d44000 - 0x7fff67d4efff libsystem_pthread.dylib (416.100.3) &lt;62CB1A98-0B8F-31E7-A02B-A1139927F61D&gt; /usr/lib/system/libsystem_pthread.dylib<br> 0x7fff67d4f000 - 0x7fff67d53ff3 libsystem_sandbox.dylib (1217.141.2) &lt;051C4018-4345-3034-AC98-6DE42FB8273B&gt; /usr/lib/system/libsystem_sandbox.dylib<br> 0x7fff67d54000 - 0x7fff67d56fff libsystem_secinit.dylib (62.100.2) /usr/lib/system/libsystem_secinit.dylib<br> 0x7fff67d57000 - 0x7fff67d5effb libsystem_symptoms.dylib (1238.120.2) &lt;702D0910-5C34-3D43-9631-8BD215DE4FE1&gt; /usr/lib/system/libsystem_symptoms.dylib<br> 0x7fff67d5f000 - 0x7fff67d75ff2 libsystem_trace.dylib (1147.120.1) /usr/lib/system/libsystem_trace.dylib<br> 0x7fff67d77000 - 0x7fff67d7cff7 libunwind.dylib (35.4) &lt;42B7B509-BAFE-365B-893A-72414C92F5BF&gt; /usr/lib/system/libunwind.dylib<br> 0x7fff67d7d000 - 0x7fff67db2ffe libxpc.dylib (1738.140.3) /usr/lib/system/libxpc.dylib</p> <p dir="auto">External Modification Summary:<br> Calls made by other processes targeting this process:<br> task_for_pid: 2<br> thread_create: 0<br> thread_set_state: 0<br> Calls made by this process:<br> task_for_pid: 0<br> thread_create: 0<br> thread_set_state: 0<br> Calls made by all processes on this machine:<br> task_for_pid: 33609034<br> thread_create: 0<br> thread_set_state: 0</p> <p dir="auto">VM Region Summary:<br> ReadOnly portion of Libraries: Total=826.6M resident=0K(0%) swapped_out_or_unallocated=826.6M(100%)<br> Writable regions: Total=1.8G written=0K(0%) resident=0K(0%) swapped_out=0K(0%) unallocated=1.8G(100%)</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" VIRTUAL REGION "><pre class="notranslate"><code class="notranslate"> VIRTUAL REGION </code></pre></div> <p dir="auto">REGION TYPE SIZE COUNT (non-coalesced)<br> =========== ======= =======<br> Accelerate framework 768K 6<br> Activity Tracing 256K 1<br> CG backing stores 3272K 6<br> CG image 8320K 5<br> CoreAnimation 380K 11<br> CoreGraphics 8K 1<br> CoreImage 32K 4<br> CoreServices 92K 1<br> CoreUI image data 1236K 10<br> Dispatch continuations 40.0M 1<br> Foundation 28K 2<br> IOKit 23.3M 3<br> Kernel Alloc Once 8K 1<br> MALLOC 213.7M 84<br> MALLOC guard page 48K 9<br> MALLOC_MEDIUM (reserved) 1.3G 11 reserved VM address space (unallocated)<br> Mach message 32K 5<br> Memory Tag 255 4.0G 18<br> STACK GUARD 56.2M 51<br> Stack 234.9M 51<br> VM_ALLOCATE 6896K 33<br> __DATA 56.3M 448<br> __DATA_CONST 20K 1<br> __FONT_DATA 4K 1<br> __LINKEDIT 391.0M 10<br> __OBJC_RO 32.3M 1<br> __OBJC_RW 1908K 2<br> __TEXT 435.6M 435<br> __UNICODE 564K 1<br> mapped file 86.5M 34<br> shared memory 640K 14<br> =========== ======= =======<br> TOTAL 6.8G 1261<br> TOTAL, minus reserved VM space 5.6G 1261<br> </p></pre><p dir="auto"></p> </details> <p dir="auto">At first I thought this is the same issue as <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="722724716" data-permission-text="Title is private" data-url="https://github.com/electron/electron/issues/25983" data-hovercard-type="issue" data-hovercard-url="/electron/electron/issues/25983/hovercard" href="https://github.com/electron/electron/issues/25983">#25983</a> but it seems a different issue as far as looking at stacktrace.</p> <p dir="auto">Note that replacing <code class="notranslate">app.exit</code> with <code class="notranslate">app.quit</code> can avoid this crash at <a href="https://github.com/rhysd/tweet-app/blob/ef03e5311c1ee5e29750f730daa934cacb0adc03/main/index.ts#L65">this line</a>.</p>
1
<h1 dir="auto">Environment</h1> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Windows build number: [run &quot;ver&quot; at a command prompt] PowerToys version: PowerToy module for which you are reporting the bug (if applicable):"><pre class="notranslate"><code class="notranslate">Windows build number: [run "ver" at a command prompt] PowerToys version: PowerToy module for which you are reporting the bug (if applicable): </code></pre></div> <h1 dir="auto">Steps to reproduce</h1> <h1 dir="auto">Expected behavior</h1> <h1 dir="auto">Actual behavior</h1> <h1 dir="auto">Screenshots</h1>
<h1 dir="auto">Environment</h1> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Windows build number: [run &quot;ver&quot; at a command prompt] Microsoft Windows [Version 10.0.19041.329] PowerToys version: v.0.19.1 PowerToy module for which you are reporting the bug (if applicable): Shortcut Guide"><pre class="notranslate"><code class="notranslate">Windows build number: [run "ver" at a command prompt] Microsoft Windows [Version 10.0.19041.329] PowerToys version: v.0.19.1 PowerToy module for which you are reporting the bug (if applicable): Shortcut Guide </code></pre></div> <h1 dir="auto">Steps to reproduce</h1> <p dir="auto">I have no Idea it suddenly stopped working now for days. even as Administrator it doesn´t work anymore</p> <h1 dir="auto">Expected behavior</h1> <p dir="auto">The Shortcut Guide working</p> <h1 dir="auto">Actual behavior</h1> <p dir="auto">The Shortcut Guide not working</p> <p dir="auto">I have no clue. even If I change the duration until it gets shown doesn´t matter</p> <h1 dir="auto">Screenshots</h1>
0
<h1 dir="auto">Environment</h1> <p dir="auto">Windows Terminal (Preview)<br> Version: 0.5.2681.0</p> <p dir="auto">PowerShell<br> Platform ServicePack Version VersionString</p> <hr> <p dir="auto">Win32NT 10.0.18362.0 Microsoft Windows NT 10.0.18362.0</p> <h1 dir="auto">Steps to reproduce</h1> <p dir="auto">Scenario 1 (via RDP)<br> From Windows Terminal Windows PowerShell shell running in a Windows Remote Desktop (RDP) Session:</p> <blockquote> <p dir="auto">clear<br> ls c:\ -recurse<br> Use 2 finger scroll gesture on touchpad -&gt; Vertical scrolling works</p> </blockquote> <p dir="auto">Scenario 2 (via native Windows Desktop, i.e. no RDP session)<br> From Windows Terminal Windows PowerShell shell running in a Windows Remote Desktop (RDP) Session:</p> <blockquote> <p dir="auto">clear<br> ls c:\ -recurse<br> Use 2 finger scroll gesture on touchpad-&gt; Vertical scrolling does not work.</p> </blockquote> <p dir="auto">Also, note that both standard "non-Windows Terminal (beta)" legacy built-in CMD and PowerShell terminals work as expected in both scenarios. I.e. All four test cases.</p> <h1 dir="auto">Expected behavior</h1> <p dir="auto">Two-finger scroll gesture on the touchpad should work as expected just like in legacy PowerShell and CMD terminals</p> <h1 dir="auto">Actual behavior</h1> <p dir="auto">Scrolling does not function except if one is using a Remote Desktop session.</p>
<h1 dir="auto">Description of the new feature/enhancement</h1> <p dir="auto">It would be great to be able to set a fixed window position for the terminal, like "top", "topLeft", "left", "bottomLeft" ... and the size.</p> <p dir="auto">Kind of like iTerm2 for macOS behaves.</p> <p dir="auto">Let's say, I'd like to have the terminal window on the bottom of the screen, using the screen's full width, and 20% of the screen's height, or even 300px of the screens height.</p> <p dir="auto">"windowPosition": "bottom",<br> "windowSize: "20%" // or "300px"</p>
0
<p dir="auto">Healthcheck fails after a few tries about in 5 minutes, and when I ping all the workers using</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="celery insect ping -A project"><pre class="notranslate"><code class="notranslate">celery insect ping -A project </code></pre></div> <p dir="auto">I don't find the worker, I find the other ones by the way.<br> I have three dockerized workers, using Amazon ECS two of which have light work to do and are not dependent on a VPN so I'm using fargate and the one that gives me problems is on EC2 using host networking mode in a server with a VPN. The other two workers don't have the same start up problem.<br> This worker has a beat that makes the worker do some work to update some sensors statuses every minute. It uses group calls to do parallel work.</p> <h2 dir="auto">REPORT with part of django settings</h2> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="software -&gt; celery:4.2.1 (windowlicker) kombu:4.2.1 py:3.6.8 billiard:3.5.0.4 redis:2.10.6 platform -&gt; system:Linux arch:64bit imp:CPython loader -&gt; celery.loaders.app.AppLoader settings -&gt; transport:redis results:disabled CELERY_ACCEPT_CONTENT: ['application/json'] CELERY_BEAT_SCHEDULE: { 'curator_indexes_migration': { 'schedule': &lt;crontab: 0 4 * * * (m/h/d/dM/MY)&gt;, 'task': 'sensor.tasks.statuses.curator_indexes_migration'}, 'fetch_all_configurations_backup': { 'schedule': &lt;crontab: 0 9 * * * (m/h/d/dM/MY)&gt;, 'task': 'sensor.tasks.statuses.fetch_all_configurations_backup'}, 'update_images': { 'schedule': &lt;crontab: 0 * * * * (m/h/d/dM/MY)&gt;, 'task': 'sensor.tasks.statuses.update_images'}, 'update_statuses': { 'schedule': &lt;crontab: * * * * * (m/h/d/dM/MY)&gt;, 'task': 'sensor.tasks.statuses.update_statuses'}} CELERY_BROKER_URL: 'redis://safety-staging.h1q2ld.0001.euw1.cache.amazonaws.com:6379/1' CELERY_RESULT_BACKEND: None CELERY_RESULT_SERIALIZER: 'json' CELERY_TASK_ROUTES: { 'notification.tasks.*': {'queue': 'notification'}, 'sensor.tasks.*': {'queue': 'sensor'}} CELERY_TASK_SERIALIZER: 'json' CELERY_TIMEZONE: 'Europe/Rome'"><pre class="notranslate"><code class="notranslate">software -&gt; celery:4.2.1 (windowlicker) kombu:4.2.1 py:3.6.8 billiard:3.5.0.4 redis:2.10.6 platform -&gt; system:Linux arch:64bit imp:CPython loader -&gt; celery.loaders.app.AppLoader settings -&gt; transport:redis results:disabled CELERY_ACCEPT_CONTENT: ['application/json'] CELERY_BEAT_SCHEDULE: { 'curator_indexes_migration': { 'schedule': &lt;crontab: 0 4 * * * (m/h/d/dM/MY)&gt;, 'task': 'sensor.tasks.statuses.curator_indexes_migration'}, 'fetch_all_configurations_backup': { 'schedule': &lt;crontab: 0 9 * * * (m/h/d/dM/MY)&gt;, 'task': 'sensor.tasks.statuses.fetch_all_configurations_backup'}, 'update_images': { 'schedule': &lt;crontab: 0 * * * * (m/h/d/dM/MY)&gt;, 'task': 'sensor.tasks.statuses.update_images'}, 'update_statuses': { 'schedule': &lt;crontab: * * * * * (m/h/d/dM/MY)&gt;, 'task': 'sensor.tasks.statuses.update_statuses'}} CELERY_BROKER_URL: 'redis://safety-staging.h1q2ld.0001.euw1.cache.amazonaws.com:6379/1' CELERY_RESULT_BACKEND: None CELERY_RESULT_SERIALIZER: 'json' CELERY_TASK_ROUTES: { 'notification.tasks.*': {'queue': 'notification'}, 'sensor.tasks.*': {'queue': 'sensor'}} CELERY_TASK_SERIALIZER: 'json' CELERY_TIMEZONE: 'Europe/Rome' </code></pre></div> <h2 dir="auto">part of requirements.txt concerning celery and redis</h2> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="aioredis==1.2.0 celery==4.2.1 Django==1.11 hiredis==0.2.0 kombu==4.2.1 redis==2.10.6"><pre class="notranslate"><code class="notranslate">aioredis==1.2.0 celery==4.2.1 Django==1.11 hiredis==0.2.0 kombu==4.2.1 redis==2.10.6 </code></pre></div> <h2 dir="auto">start script</h2> <div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="#!/usr/bin/env bash CELERY_DOMAIN=$(cat /dev/urandom | tr -dc 'a-zA-Z0-9' | fold -w 32 | head -n 1) echo ${CELERY_DOMAIN} &gt; /home/user/celery_domain.txt printf &quot;Celery domain is %s\n&quot; &quot;$CELERY_DOMAIN&quot; celery worker -A centroservizi -l INFO --autoscale=4,2 -Q sensor -n sensor@${CELERY_DOMAIN}"><pre class="notranslate"><span class="pl-c"><span class="pl-c">#!</span>/usr/bin/env bash</span> CELERY_DOMAIN=<span class="pl-s"><span class="pl-pds">$(</span>cat /dev/urandom <span class="pl-k">|</span> tr -dc <span class="pl-s"><span class="pl-pds">'</span>a-zA-Z0-9<span class="pl-pds">'</span></span> <span class="pl-k">|</span> fold -w 32 <span class="pl-k">|</span> head -n 1<span class="pl-pds">)</span></span> <span class="pl-c1">echo</span> <span class="pl-smi">${CELERY_DOMAIN}</span> <span class="pl-k">&gt;</span> /home/user/celery_domain.txt <span class="pl-c1">printf</span> <span class="pl-s"><span class="pl-pds">"</span>Celery domain is %s\n<span class="pl-pds">"</span></span> <span class="pl-s"><span class="pl-pds">"</span><span class="pl-smi">$CELERY_DOMAIN</span><span class="pl-pds">"</span></span> celery worker -A centroservizi -l INFO --autoscale=4,2 -Q sensor -n sensor@<span class="pl-smi">${CELERY_DOMAIN}</span></pre></div> <h2 dir="auto">health check script</h2> <div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="#!/usr/bin/env bash CELERY_DOMAIN=$(cat /home/user/celery_domain.txt) printf &quot;Celery domain is %s\n&quot; &quot;$CELERY_DOMAIN&quot; celery inspect ping -A centroservizi -d sensor@${CELERY_DOMAIN}"><pre class="notranslate"><span class="pl-c"><span class="pl-c">#!</span>/usr/bin/env bash</span> CELERY_DOMAIN=<span class="pl-s"><span class="pl-pds">$(</span>cat /home/user/celery_domain.txt<span class="pl-pds">)</span></span> <span class="pl-c1">printf</span> <span class="pl-s"><span class="pl-pds">"</span>Celery domain is %s\n<span class="pl-pds">"</span></span> <span class="pl-s"><span class="pl-pds">"</span><span class="pl-smi">$CELERY_DOMAIN</span><span class="pl-pds">"</span></span> celery inspect ping -A centroservizi -d sensor@<span class="pl-smi">${CELERY_DOMAIN}</span></pre></div> <h2 dir="auto">Start log</h2> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Celery domain is G9ehGHbxIlsYFPb1JeW6Pdlar0gMIUue [2019-01-08 07:14:57,184: INFO/MainProcess] Connected to redis://&lt;elastic cache&gt;.0001.euw1.cache.amazonaws.com:6379/1 [2019-01-08 07:14:57,200: INFO/MainProcess] mingle: searching for neighbors [2019-01-08 07:14:58,306: INFO/MainProcess] mingle: sync with 2 nodes [2019-01-08 07:14:58,307: INFO/MainProcess] mingle: sync complete [2019-01-08 07:14:58,332: INFO/MainProcess] sensor@G9ehGHbxIlsYFPb1JeW6Pdlar0gMIUue ready. [2019-01-08 07:14:59,026: INFO/MainProcess] Received task: sensor.tasks.statuses.update_sensor_status[2fa6e725-0a24-42c9-9171-572d7db3d31e] [2019-01-08 07:14:59,033: INFO/MainProcess] Received task: sensor.tasks.statuses.update_sensor_status[296aaeb7-926a-4d1b-b62d-cec1783dbc70] [2019-01-08 07:14:59,036: INFO/MainProcess] Received task: sensor.tasks.statuses.update_sensor_status[43cd23b1-5304-41df-ac82-1168cf53da60] [2019-01-08 07:14:59,036: INFO/MainProcess] Scaling up 1 processes. [2019-01-08 07:14:59,204: WARNING/MainProcess] consumer: Connection to broker lost. Trying to re-establish the connection... Traceback (most recent call last): File &quot;/usr/local/lib/python3.6/site-packages/redis/connection.py&quot;, line 590, in send_packed_command self._sock.sendall(item) BrokenPipeError: [Errno 32] Broken pipe During handling of the above exception, another exception occurred: Traceback (most recent call last): File &quot;/usr/local/lib/python3.6/site-packages/celery/worker/consumer/consumer.py&quot;, line 317, in start blueprint.start(self) File &quot;/usr/local/lib/python3.6/site-packages/celery/bootsteps.py&quot;, line 119, in start step.start(parent) File &quot;/usr/local/lib/python3.6/site-packages/celery/worker/consumer/consumer.py&quot;, line 593, in start c.loop(*c.loop_args()) File &quot;/usr/local/lib/python3.6/site-packages/celery/worker/loops.py&quot;, line 91, in asynloop next(loop) File &quot;/usr/local/lib/python3.6/site-packages/kombu/asynchronous/hub.py&quot;, line 276, in create_loop tick_callback() File &quot;/usr/local/lib/python3.6/site-packages/kombu/transport/redis.py&quot;, line 1033, in on_poll_start cycle_poll_start() File &quot;/usr/local/lib/python3.6/site-packages/kombu/transport/redis.py&quot;, line 315, in on_poll_start self._register_BRPOP(channel) File &quot;/usr/local/lib/python3.6/site-packages/kombu/transport/redis.py&quot;, line 301, in _register_BRPOP channel._brpop_start() File &quot;/usr/local/lib/python3.6/site-packages/kombu/transport/redis.py&quot;, line 707, in _brpop_start self.client.connection.send_command('BRPOP', *keys) File &quot;/usr/local/lib/python3.6/site-packages/redis/connection.py&quot;, line 610, in send_command self.send_packed_command(self.pack_command(*args)) File &quot;/usr/local/lib/python3.6/site-packages/redis/connection.py&quot;, line 603, in send_packed_command (errno, errmsg)) redis.exceptions.ConnectionError: Error 32 while writing to socket. Broken pipe."><pre class="notranslate"><code class="notranslate">Celery domain is G9ehGHbxIlsYFPb1JeW6Pdlar0gMIUue [2019-01-08 07:14:57,184: INFO/MainProcess] Connected to redis://&lt;elastic cache&gt;.0001.euw1.cache.amazonaws.com:6379/1 [2019-01-08 07:14:57,200: INFO/MainProcess] mingle: searching for neighbors [2019-01-08 07:14:58,306: INFO/MainProcess] mingle: sync with 2 nodes [2019-01-08 07:14:58,307: INFO/MainProcess] mingle: sync complete [2019-01-08 07:14:58,332: INFO/MainProcess] sensor@G9ehGHbxIlsYFPb1JeW6Pdlar0gMIUue ready. [2019-01-08 07:14:59,026: INFO/MainProcess] Received task: sensor.tasks.statuses.update_sensor_status[2fa6e725-0a24-42c9-9171-572d7db3d31e] [2019-01-08 07:14:59,033: INFO/MainProcess] Received task: sensor.tasks.statuses.update_sensor_status[296aaeb7-926a-4d1b-b62d-cec1783dbc70] [2019-01-08 07:14:59,036: INFO/MainProcess] Received task: sensor.tasks.statuses.update_sensor_status[43cd23b1-5304-41df-ac82-1168cf53da60] [2019-01-08 07:14:59,036: INFO/MainProcess] Scaling up 1 processes. [2019-01-08 07:14:59,204: WARNING/MainProcess] consumer: Connection to broker lost. Trying to re-establish the connection... Traceback (most recent call last): File "/usr/local/lib/python3.6/site-packages/redis/connection.py", line 590, in send_packed_command self._sock.sendall(item) BrokenPipeError: [Errno 32] Broken pipe During handling of the above exception, another exception occurred: Traceback (most recent call last): File "/usr/local/lib/python3.6/site-packages/celery/worker/consumer/consumer.py", line 317, in start blueprint.start(self) File "/usr/local/lib/python3.6/site-packages/celery/bootsteps.py", line 119, in start step.start(parent) File "/usr/local/lib/python3.6/site-packages/celery/worker/consumer/consumer.py", line 593, in start c.loop(*c.loop_args()) File "/usr/local/lib/python3.6/site-packages/celery/worker/loops.py", line 91, in asynloop next(loop) File "/usr/local/lib/python3.6/site-packages/kombu/asynchronous/hub.py", line 276, in create_loop tick_callback() File "/usr/local/lib/python3.6/site-packages/kombu/transport/redis.py", line 1033, in on_poll_start cycle_poll_start() File "/usr/local/lib/python3.6/site-packages/kombu/transport/redis.py", line 315, in on_poll_start self._register_BRPOP(channel) File "/usr/local/lib/python3.6/site-packages/kombu/transport/redis.py", line 301, in _register_BRPOP channel._brpop_start() File "/usr/local/lib/python3.6/site-packages/kombu/transport/redis.py", line 707, in _brpop_start self.client.connection.send_command('BRPOP', *keys) File "/usr/local/lib/python3.6/site-packages/redis/connection.py", line 610, in send_command self.send_packed_command(self.pack_command(*args)) File "/usr/local/lib/python3.6/site-packages/redis/connection.py", line 603, in send_packed_command (errno, errmsg)) redis.exceptions.ConnectionError: Error 32 while writing to socket. Broken pipe. </code></pre></div> <p dir="auto">If I can give you other info on the issue just ask</p>
<h3 dir="auto">Versions</h3> <p dir="auto">Kombu: 4.0.2<br> Celery: 4.0.2<br> redis-py: 2.10.5<br> Redis: 3.2.6<br> Python: 2.7.12</p> <h3 dir="auto">Steps to reproduce</h3> <p dir="auto">Start a <code class="notranslate">redis</code> server with <code class="notranslate">timeout 1</code>, I use the following config:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="daemonize yes pidfile ./redis.pid port 0 unixsocket /tmp/celery.redis.test.sock unixsocketperm 755 timeout 1 loglevel notice logfile ./redis.log databases 1"><pre class="notranslate"><code class="notranslate">daemonize yes pidfile ./redis.pid port 0 unixsocket /tmp/celery.redis.test.sock unixsocketperm 755 timeout 1 loglevel notice logfile ./redis.log databases 1 </code></pre></div> <p dir="auto">(I shove the unix socket into <code class="notranslate">/tmp/</code> because there's a limit to how long a unix socket path can be.)</p> <p dir="auto">I put the Celery configuration in <code class="notranslate">celeryconfig.py</code>:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="CELERY_BROKER_URL = 'redis+socket:///tmp/celery.redis.test.sock' CELERY_RESULT_BACKEND = CELERY_BROKER_URL"><pre class="notranslate"><code class="notranslate">CELERY_BROKER_URL = 'redis+socket:///tmp/celery.redis.test.sock' CELERY_RESULT_BACKEND = CELERY_BROKER_URL </code></pre></div> <p dir="auto">The Celery app is in <code class="notranslate">tasks.py</code>:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import sys import time from celery import Celery, Task app = Celery('tasks') app.config_from_object('celeryconfig', namespace='CELERY') @app.task def add(x, y): return x + y"><pre class="notranslate"><code class="notranslate">import sys import time from celery import Celery, Task app = Celery('tasks') app.config_from_object('celeryconfig', namespace='CELERY') @app.task def add(x, y): return x + y </code></pre></div> <p dir="auto">I have <code class="notranslate">test.py</code>:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="from celery.bin.multi import MultiTool from tasks import app, add workers = [ &quot;A&quot;, &quot;B&quot; ] while True: for worker in workers: retcode = MultiTool().execute_from_commandline([&quot;multi&quot;, &quot;start&quot;, &quot;-A&quot;, &quot;tasks&quot;, worker]) print &quot;STARTED {0} WITH {1}&quot;.format(worker, retcode) print &quot;PING AFTER START&quot;, app.control.inspect().ping() print add.delay(1, 2).get() print &quot;PING AFTER TASK&quot;, app.control.inspect().ping() for worker in workers: retcode = MultiTool().execute_from_commandline([&quot;multi&quot;, &quot;stopwait&quot;, &quot;-A&quot;, &quot;tasks&quot;, worker]) print &quot;STOPPED {0} WITH {1}&quot;.format(worker, retcode) print &quot;PING AFTER STOP&quot;, app.control.inspect().ping()"><pre class="notranslate"><code class="notranslate">from celery.bin.multi import MultiTool from tasks import app, add workers = [ "A", "B" ] while True: for worker in workers: retcode = MultiTool().execute_from_commandline(["multi", "start", "-A", "tasks", worker]) print "STARTED {0} WITH {1}".format(worker, retcode) print "PING AFTER START", app.control.inspect().ping() print add.delay(1, 2).get() print "PING AFTER TASK", app.control.inspect().ping() for worker in workers: retcode = MultiTool().execute_from_commandline(["multi", "stopwait", "-A", "tasks", worker]) print "STOPPED {0} WITH {1}".format(worker, retcode) print "PING AFTER STOP", app.control.inspect().ping() </code></pre></div> <p dir="auto">Run <code class="notranslate">python test.py</code>.</p> <h3 dir="auto">Expected Results</h3> <p dir="auto">Should run forever without a crash.</p> <h3 dir="auto">Actual Results</h3> <p dir="auto">Crashes at the end of the first iteration:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="PING AFTER STOP Traceback (most recent call last): File &quot;test.py&quot;, line 24, in &lt;module&gt; print &quot;PING AFTER STOP&quot;, app.control.inspect().ping() File &quot;/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/celery/app/control.py&quot;, line 113, in ping return self._request('ping') File &quot;/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/celery/app/control.py&quot;, line 81, in _request timeout=self.timeout, reply=True, File &quot;/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/celery/app/control.py&quot;, line 436, in broadcast limit, callback, channel=channel, File &quot;/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/pidbox.py&quot;, line 321, in _broadcast channel=chan) File &quot;/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/pidbox.py&quot;, line 360, in _collect self.connection.drain_events(timeout=timeout) File &quot;/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/connection.py&quot;, line 301, in drain_events return self.transport.drain_events(self.connection, **kwargs) File &quot;/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/transport/virtual/base.py&quot;, line 961, in drain_events get(self._deliver, timeout=timeout) File &quot;/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/transport/redis.py&quot;, line 352, in get self._register_BRPOP(channel) File &quot;/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/transport/redis.py&quot;, line 301, in _register_BRPOP channel._brpop_start() File &quot;/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/transport/redis.py&quot;, line 707, in _brpop_start self.client.connection.send_command('BRPOP', *keys) File &quot;/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/redis/connection.py&quot;, line 563, in send_command self.send_packed_command(self.pack_command(*args)) File &quot;/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/redis/connection.py&quot;, line 556, in send_packed_command (errno, errmsg)) redis.exceptions.ConnectionError: Error 32 while writing to socket. Broken pipe."><pre class="notranslate"><code class="notranslate">PING AFTER STOP Traceback (most recent call last): File "test.py", line 24, in &lt;module&gt; print "PING AFTER STOP", app.control.inspect().ping() File "/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/celery/app/control.py", line 113, in ping return self._request('ping') File "/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/celery/app/control.py", line 81, in _request timeout=self.timeout, reply=True, File "/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/celery/app/control.py", line 436, in broadcast limit, callback, channel=channel, File "/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/pidbox.py", line 321, in _broadcast channel=chan) File "/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/pidbox.py", line 360, in _collect self.connection.drain_events(timeout=timeout) File "/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/connection.py", line 301, in drain_events return self.transport.drain_events(self.connection, **kwargs) File "/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/transport/virtual/base.py", line 961, in drain_events get(self._deliver, timeout=timeout) File "/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/transport/redis.py", line 352, in get self._register_BRPOP(channel) File "/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/transport/redis.py", line 301, in _register_BRPOP channel._brpop_start() File "/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/kombu/transport/redis.py", line 707, in _brpop_start self.client.connection.send_command('BRPOP', *keys) File "/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/redis/connection.py", line 563, in send_command self.send_packed_command(self.pack_command(*args)) File "/home/ldd/src/celery_issues/celery_issue_2/.venv/local/lib/python2.7/site-packages/redis/connection.py", line 556, in send_packed_command (errno, errmsg)) redis.exceptions.ConnectionError: Error 32 while writing to socket. Broken pipe. </code></pre></div> <h3 dir="auto">Observations</h3> <p dir="auto">The code above in <code class="notranslate">test.py</code> imitates a sequence of operations that happen while testing an actual Django application of mine. The test suite starts and stops workers and executes some tasks on them.</p> <p dir="auto">Though the problem surfaced after I upgraded to Celery 4.x and thus started uising Kombu 4.x, a summary inspection of Kombu's source code in the 3.x series suggests the problem is present there too. It is unclear to me why I did not run into it in when running Kombu 3.x.</p> <p dir="auto">In my actual Redis setup I do not use a <code class="notranslate">timeout 1</code> setting. Using <code class="notranslate">timeout 1</code> is an easy way to cause Redis to close a connection. Other situations may be because the <code class="notranslate">tcp-keepalive</code> timeout deemed a connection "dead". Or because a client violated an output buffer limit, or for some other reason. What is clear is that Redis clients should be resilient in the face of connections that got closed by the server.</p> <p dir="auto">Indeed, the code of <code class="notranslate">redis-py</code> will generally retry sending commands that fail. This can be seen in <a href="https://github.com/andymccurdy/redis-py/blob/2.10.5/redis/client.py#L566"><code class="notranslate">execute_command</code></a>:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" def execute_command(self, *args, **options): &quot;Execute a command and return a parsed response&quot; pool = self.connection_pool command_name = args[0] connection = pool.get_connection(command_name, **options) try: connection.send_command(*args) return self.parse_response(connection, command_name, **options) except (ConnectionError, TimeoutError) as e: connection.disconnect() if not connection.retry_on_timeout and isinstance(e, TimeoutError): raise connection.send_command(*args) return self.parse_response(connection, command_name, **options) finally: pool.release(connection)"><pre class="notranslate"><code class="notranslate"> def execute_command(self, *args, **options): "Execute a command and return a parsed response" pool = self.connection_pool command_name = args[0] connection = pool.get_connection(command_name, **options) try: connection.send_command(*args) return self.parse_response(connection, command_name, **options) except (ConnectionError, TimeoutError) as e: connection.disconnect() if not connection.retry_on_timeout and isinstance(e, TimeoutError): raise connection.send_command(*args) return self.parse_response(connection, command_name, **options) finally: pool.release(connection) </code></pre></div> <p dir="auto">Kombu's Redis <code class="notranslate">Channel</code> will generally benefit from <code class="notranslate">redis-py</code>'s automatic retrying because most of the time the methods it calls on its client ultimately run <code class="notranslate">execute_command</code>. However, <a href="https://github.com/celery/kombu/blob/v4.0.2/kombu/transport/redis.py#L700"><code class="notranslate">_brpop_start</code></a> calls <code class="notranslate">self.client.connection.send_command('BRPOP', *keys)</code>. If this call fails, the failure is automatically sent up the stack without a retry.</p> <p dir="auto">I've been able to work around the issue by changing the code of <code class="notranslate">_brpop_start</code> to:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" def _brpop_start(self, timeout=1): queues = self._queue_cycle.consume(len(self.active_queues)) if not queues: return keys = [self._q_for_pri(queue, pri) for pri in self.priority_steps for queue in queues] + [timeout or 0] self._in_poll = self.client.connection from redis.exceptions import ConnectionError try: self.client.connection.send_command('BRPOP', *keys) except ConnectionError: self.client.connection.send_command('BRPOP', *keys)"><pre class="notranslate"><code class="notranslate"> def _brpop_start(self, timeout=1): queues = self._queue_cycle.consume(len(self.active_queues)) if not queues: return keys = [self._q_for_pri(queue, pri) for pri in self.priority_steps for queue in queues] + [timeout or 0] self._in_poll = self.client.connection from redis.exceptions import ConnectionError try: self.client.connection.send_command('BRPOP', *keys) except ConnectionError: self.client.connection.send_command('BRPOP', *keys) </code></pre></div>
1
<p dir="auto"><code class="notranslate">.hidden-sm</code> should be <code class="notranslate">display: inline;</code> and not <code class="notranslate">display: block;</code> so that you can have an element inline with another element when screen is wide and hidden when small.</p>
<p dir="auto">related to issues <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="16856611" data-permission-text="Title is private" data-url="https://github.com/twbs/bootstrap/issues/8500" data-hovercard-type="pull_request" data-hovercard-url="/twbs/bootstrap/pull/8500/hovercard" href="https://github.com/twbs/bootstrap/pull/8500">#8500</a> , <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="14075731" data-permission-text="Title is private" data-url="https://github.com/twbs/bootstrap/issues/7808" data-hovercard-type="issue" data-hovercard-url="/twbs/bootstrap/issues/7808/hovercard" href="https://github.com/twbs/bootstrap/issues/7808">#7808</a> , <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="6609454" data-permission-text="Title is private" data-url="https://github.com/twbs/bootstrap/issues/4929" data-hovercard-type="issue" data-hovercard-url="/twbs/bootstrap/issues/4929/hovercard" href="https://github.com/twbs/bootstrap/issues/4929">#4929</a> ; using <code class="notranslate">.hidden-sm</code> to hide span within <code class="notranslate">.nav &gt; li &gt; a</code> . Because class is <code class="notranslate">display: block</code> above -sm then text wraps to new line. Would you consider <code class="notranslate">.hidden-*</code> classes to be <code class="notranslate">display: inline-block</code> instead ?</p> <p dir="auto">Here's a jsfiddle of the two cases - but the repercussions could be greater outside of this situation so probably needs more consideration... <a href="http://jsfiddle.net/jholl/P86yf/" rel="nofollow">http://jsfiddle.net/jholl/P86yf/</a></p>
1
<h3 dir="auto">System info</h3> <ul dir="auto"> <li>Playwright Version: v1.32.0</li> <li>Operating System: macOS 13.0</li> <li>Browser: Chromium</li> <li>Reference Discord Thread: <a href="https://discord.com/channels/807756831384403968/1088760461471776888" rel="nofollow">https://discord.com/channels/807756831384403968/1088760461471776888</a></li> </ul> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/10390627/227490636-4ac4d734-3cfb-4e46-a535-5cbae1ae9a59.png"><img width="1512" alt="Screenshot 2023-03-24 at 10 44 29" src="https://user-images.githubusercontent.com/10390627/227490636-4ac4d734-3cfb-4e46-a535-5cbae1ae9a59.png" style="max-width: 100%;"></a></p> <h3 dir="auto">Reproduction</h3> <p dir="auto"><a href="https://github.com/lukaskoeller/playwright-ui-reproduction">github:playwright-ui-reproduction</a></p> <h3 dir="auto">Source code</h3> <p dir="auto"><strong>Config file</strong></p> <p dir="auto"><code class="notranslate">@quirion/playwright-config</code></p> <div class="highlight highlight-source-ts notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import { PlaywrightTestConfig, devices } from '@playwright/test'; export const PlaywrightConfig: PlaywrightTestConfig = { forbidOnly: !!process.env.CI, retries: process.env.CI ? 2 : 0, use: { headless: true, video: 'on-first-retry', trace: 'on', launchOptions: { // devtools: true, logger: { isEnabled: (name, severity) =&gt; name === 'browser', log: (name, severity, message, args) =&gt; console.log(`${name} ${message}`) } }, }, projects: [ { name: 'chromium', testDir: './tests/', use: { ...devices['Desktop Chrome'] }, }, { name: 'firefox', testDir: './tests/', use: { ...devices['Desktop Firefox'] }, }, { name: 'webkit', testDir: './tests/', use: { ...devices['Desktop Safari'] }, }, ], reporter: [ ['html', { outputFolder: './reports/playwright-report' }], ['junit', { outputFile: './reports/results.xml' }] ], };"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-kos">{</span> <span class="pl-smi">PlaywrightTestConfig</span><span class="pl-kos">,</span> <span class="pl-s1">devices</span> <span class="pl-kos">}</span> <span class="pl-k">from</span> <span class="pl-s">'@playwright/test'</span><span class="pl-kos">;</span> <span class="pl-k">export</span> <span class="pl-k">const</span> <span class="pl-smi">PlaywrightConfig</span>: <span class="pl-smi">PlaywrightTestConfig</span> <span class="pl-c1">=</span> <span class="pl-kos">{</span> <span class="pl-c1">forbidOnly</span>: <span class="pl-c1">!</span><span class="pl-c1">!</span><span class="pl-s1">process</span><span class="pl-kos">.</span><span class="pl-c1">env</span><span class="pl-kos">.</span><span class="pl-c1">CI</span><span class="pl-kos">,</span> <span class="pl-c1">retries</span>: <span class="pl-s1">process</span><span class="pl-kos">.</span><span class="pl-c1">env</span><span class="pl-kos">.</span><span class="pl-c1">CI</span> ? <span class="pl-c1">2</span> : <span class="pl-c1">0</span><span class="pl-kos">,</span> <span class="pl-c1">use</span>: <span class="pl-kos">{</span> <span class="pl-c1">headless</span>: <span class="pl-c1">true</span><span class="pl-kos">,</span> <span class="pl-c1">video</span>: <span class="pl-s">'on-first-retry'</span><span class="pl-kos">,</span> <span class="pl-c1">trace</span>: <span class="pl-s">'on'</span><span class="pl-kos">,</span> <span class="pl-c1">launchOptions</span>: <span class="pl-kos">{</span> <span class="pl-c">// devtools: true,</span> <span class="pl-c1">logger</span>: <span class="pl-kos">{</span> <span class="pl-en">isEnabled</span>: <span class="pl-kos">(</span><span class="pl-s1">name</span><span class="pl-kos">,</span> <span class="pl-s1">severity</span><span class="pl-kos">)</span> <span class="pl-c1">=&gt;</span> <span class="pl-s1">name</span> <span class="pl-c1">===</span> <span class="pl-s">'browser'</span><span class="pl-kos">,</span> <span class="pl-en">log</span>: <span class="pl-kos">(</span><span class="pl-s1">name</span><span class="pl-kos">,</span> <span class="pl-s1">severity</span><span class="pl-kos">,</span> <span class="pl-s1">message</span><span class="pl-kos">,</span> <span class="pl-s1">args</span><span class="pl-kos">)</span> <span class="pl-c1">=&gt;</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">`<span class="pl-s1"><span class="pl-kos">${</span><span class="pl-s1">name</span><span class="pl-kos">}</span></span> <span class="pl-s1"><span class="pl-kos">${</span><span class="pl-s1">message</span><span class="pl-kos">}</span></span>`</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">projects</span>: <span class="pl-kos">[</span> <span class="pl-kos">{</span> <span class="pl-c1">name</span>: <span class="pl-s">'chromium'</span><span class="pl-kos">,</span> <span class="pl-c1">testDir</span>: <span class="pl-s">'./tests/'</span><span class="pl-kos">,</span> <span class="pl-c1">use</span>: <span class="pl-kos">{</span> ...<span class="pl-s1">devices</span><span class="pl-kos">[</span><span class="pl-s">'Desktop Chrome'</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">name</span>: <span class="pl-s">'firefox'</span><span class="pl-kos">,</span> <span class="pl-c1">testDir</span>: <span class="pl-s">'./tests/'</span><span class="pl-kos">,</span> <span class="pl-c1">use</span>: <span class="pl-kos">{</span> ...<span class="pl-s1">devices</span><span class="pl-kos">[</span><span class="pl-s">'Desktop Firefox'</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">name</span>: <span class="pl-s">'webkit'</span><span class="pl-kos">,</span> <span class="pl-c1">testDir</span>: <span class="pl-s">'./tests/'</span><span class="pl-kos">,</span> <span class="pl-c1">use</span>: <span class="pl-kos">{</span> ...<span class="pl-s1">devices</span><span class="pl-kos">[</span><span class="pl-s">'Desktop Safari'</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">reporter</span>: <span class="pl-kos">[</span> <span class="pl-kos">[</span><span class="pl-s">'html'</span><span class="pl-kos">,</span> <span class="pl-kos">{</span> <span class="pl-c1">outputFolder</span>: <span class="pl-s">'./reports/playwright-report'</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">'junit'</span><span class="pl-kos">,</span> <span class="pl-kos">{</span> <span class="pl-c1">outputFile</span>: <span class="pl-s">'./reports/results.xml'</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"><code class="notranslate">playwright.config.ts</code></p> <div class="highlight highlight-source-ts notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import { PlaywrightConfig } from &quot;@quirion/playwright-config&quot;; import { devices, PlaywrightTestConfig } from &quot;@playwright/test&quot;; import { BANKING_URL } from &quot;@quirion/fe-tests&quot;; // 'http://127.0.0.1:3000' // eslint-disable-next-line import/no-extraneous-dependencies import dotenv from 'dotenv'; dotenv.config(); const config: PlaywrightTestConfig = { ...PlaywrightConfig, use: { ...PlaywrightConfig.use, baseURL: process.env.CI_ENVIRONMENT_URL || BANKING_URL, }, projects: [ { name: 'chromium', testDir: './tests/', use: { ...devices['Desktop Chrome'] }, }, ], }; export default config;"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-kos">{</span> <span class="pl-smi">PlaywrightConfig</span> <span class="pl-kos">}</span> <span class="pl-k">from</span> <span class="pl-s">"@quirion/playwright-config"</span><span class="pl-kos">;</span> <span class="pl-k">import</span> <span class="pl-kos">{</span> <span class="pl-s1">devices</span><span class="pl-kos">,</span> <span class="pl-smi">PlaywrightTestConfig</span> <span class="pl-kos">}</span> <span class="pl-k">from</span> <span class="pl-s">"@playwright/test"</span><span class="pl-kos">;</span> <span class="pl-k">import</span> <span class="pl-kos">{</span> <span class="pl-smi">BANKING_URL</span> <span class="pl-kos">}</span> <span class="pl-k">from</span> <span class="pl-s">"@quirion/fe-tests"</span><span class="pl-kos">;</span> <span class="pl-c">// 'http://127.0.0.1:3000'</span> <span class="pl-c">// eslint-disable-next-line import/no-extraneous-dependencies</span> <span class="pl-k">import</span> <span class="pl-s1">dotenv</span> <span class="pl-k">from</span> <span class="pl-s">'dotenv'</span><span class="pl-kos">;</span> <span class="pl-s1">dotenv</span><span class="pl-kos">.</span><span class="pl-en">config</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-k">const</span> <span class="pl-s1">config</span>: <span class="pl-smi">PlaywrightTestConfig</span> <span class="pl-c1">=</span> <span class="pl-kos">{</span> ...<span class="pl-smi">PlaywrightConfig</span><span class="pl-kos">,</span> <span class="pl-c1">use</span>: <span class="pl-kos">{</span> ...<span class="pl-smi">PlaywrightConfig</span><span class="pl-kos">.</span><span class="pl-c1">use</span><span class="pl-kos">,</span> <span class="pl-c1">baseURL</span>: <span class="pl-s1">process</span><span class="pl-kos">.</span><span class="pl-c1">env</span><span class="pl-kos">.</span><span class="pl-c1">CI_ENVIRONMENT_URL</span> <span class="pl-c1">||</span> <span class="pl-smi">BANKING_URL</span><span class="pl-kos">,</span> <span class="pl-kos">}</span><span class="pl-kos">,</span> <span class="pl-c1">projects</span>: <span class="pl-kos">[</span> <span class="pl-kos">{</span> <span class="pl-c1">name</span>: <span class="pl-s">'chromium'</span><span class="pl-kos">,</span> <span class="pl-c1">testDir</span>: <span class="pl-s">'./tests/'</span><span class="pl-kos">,</span> <span class="pl-c1">use</span>: <span class="pl-kos">{</span> ...<span class="pl-s1">devices</span><span class="pl-kos">[</span><span class="pl-s">'Desktop Chrome'</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-k">export</span> <span class="pl-k">default</span> <span class="pl-s1">config</span><span class="pl-kos">;</span></pre></div> <p dir="auto"><strong>Test file (self-contained)</strong></p> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="it('should check the box using setChecked', async ({ page }) =&gt; { await page.setContent(`&lt;input id='checkbox' type='checkbox'&gt;&lt;/input&gt;`); await page.getByRole('checkbox').check(); await expect(page.getByRole('checkbox')).toBeChecked(); });"><pre class="notranslate"><span class="pl-en">it</span><span class="pl-kos">(</span><span class="pl-s">'should check the box using setChecked'</span><span class="pl-kos">,</span> <span class="pl-k">async</span> <span class="pl-kos">(</span><span class="pl-kos">{</span> page <span class="pl-kos">}</span><span class="pl-kos">)</span> <span class="pl-c1">=&gt;</span> <span class="pl-kos">{</span> <span class="pl-k">await</span> <span class="pl-s1">page</span><span class="pl-kos">.</span><span class="pl-en">setContent</span><span class="pl-kos">(</span><span class="pl-s">`&lt;input id='checkbox' type='checkbox'&gt;&lt;/input&gt;`</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-k">await</span> <span class="pl-s1">page</span><span class="pl-kos">.</span><span class="pl-en">getByRole</span><span class="pl-kos">(</span><span class="pl-s">'checkbox'</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">check</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-en">expect</span><span class="pl-kos">(</span><span class="pl-s1">page</span><span class="pl-kos">.</span><span class="pl-en">getByRole</span><span class="pl-kos">(</span><span class="pl-s">'checkbox'</span><span class="pl-kos">)</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">toBeChecked</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>Steps</strong></p> <ul dir="auto"> <li>In the monorepo route from the root to the package's root</li> <li>Run <code class="notranslate">pnpm dlx playwright test --ui</code></li> <li>Playwright UI opens</li> <li>Pick any test &amp; click on the run icon</li> <li>Test runs through and shows checkmark (success)</li> <li>In the <code class="notranslate">Actions</code> tab no actions were listed</li> <li>The browser remains on <code class="notranslate">about:blank</code></li> </ul> <p dir="auto"><strong>Expected</strong></p> <p dir="auto">Playwright Actions lists all actions of the test and the browser previews what the test is doing.</p> <p dir="auto"><strong>Actual</strong></p> <p dir="auto">The test runs, but no actions or browser actions are visible.</p>
<h3 dir="auto">System info</h3> <ul dir="auto"> <li>Playwright Version: v1.32.3</li> <li>Operating System: Ubuntu 20</li> <li>Browser: Firefox</li> <li>Other info: I use <code class="notranslate">mcr.microsoft.com/playwright:v1.32.3-focal</code> image</li> </ul> <h3 dir="auto">Source code</h3> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I provided exact source code that allows reproducing the issue locally.</li> </ul> <p dir="auto">Component <a href="https://github.com/VKCOM/VKUI/blob/117227b6f196abb7ed2c25e58a3032d69e5e1674/packages/vkui/src/components/SegmentedControl/SegmentedControl.e2e.tsx">packages/vkui/src/components/SegmentedControl/SegmentedControl.e2e.tsx</a></p> <p dir="auto">My config <a href="https://github.com/VKCOM/VKUI/blob/117227b6f196abb7ed2c25e58a3032d69e5e1674/packages/vkui/playwright-ct.config.ts">packages/vkui/playwright-ct.config.ts</a></p> <p dir="auto"><strong>Link to the GitHub repository with the repro</strong></p> <p dir="auto"><a href="https://github.com/VKCOM/VKUI/">https://github.com/VKCOM/VKUI/</a></p> <p dir="auto"><strong>Steps</strong></p> <ul dir="auto"> <li>Install Docker before</li> <li>Remove this workaround <a href="https://github.com/VKCOM/VKUI/blob/117227b6f196abb7ed2c25e58a3032d69e5e1674/packages/vkui/src/components/SegmentedControl/SegmentedControl.e2e.tsx#L13">packages/vkui/src/components/SegmentedControl/SegmentedControl.e2e.tsx#L13</a></li> </ul> <p dir="auto">(you can run next commands from root directory or <code class="notranslate">package/vkui</code>)</p> <ul dir="auto"> <li>Run <code class="notranslate">yarn install</code></li> <li>Run <code class="notranslate">yarn test:e2e</code></li> </ul> <blockquote> <p dir="auto">Additionally, u can use <code class="notranslate">.env</code> file for set projects and test match</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="cp packages/vkui/.env.developent.local packages/vkui/.env"><pre class="notranslate"><code class="notranslate">cp packages/vkui/.env.developent.local packages/vkui/.env </code></pre></div> </blockquote> <p dir="auto"><strong>Expected</strong></p> <p dir="auto">SegmentedControl.e2e.tsx and all another tests are passed.</p> <p dir="auto"><strong>Actual</strong></p> <p dir="auto">Sometimes <code class="notranslate">SegmentedControl.e2e.tsx</code> is failing.</p> <p dir="auto">BUT! If we run only <code class="notranslate">SegmentedControl.e2e.tsx</code> test this is passing <g-emoji class="g-emoji" alias="thinking" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/1f914.png">🤔</g-emoji></p> <h4 dir="auto">Workaround</h4> <p dir="auto">I reset for <code class="notranslate">SegmentedControl.e2e.tsx</code> test mouse position.</p> <div class="highlight highlight-source-ts notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="await page.hover('body', { position: { x: 0, y: 0 } });"><pre class="notranslate"><span class="pl-k">await</span> <span class="pl-s1">page</span><span class="pl-kos">.</span><span class="pl-en">hover</span><span class="pl-kos">(</span><span class="pl-s">'body'</span><span class="pl-kos">,</span> <span class="pl-kos">{</span> <span class="pl-c1">position</span>: <span class="pl-kos">{</span> <span class="pl-c1">x</span>: <span class="pl-c1">0</span><span class="pl-kos">,</span> <span class="pl-c1">y</span>: <span class="pl-c1">0</span> <span class="pl-kos">}</span> <span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div>
0
<h2 dir="auto">Steps to Reproduce</h2> <p dir="auto">I created a App with Flutter which uses Firebase and a few other packages. Every time when I build the ios release and I want to run the app after that on a iphone simulator, the following issue occurs <code class="notranslate">"x86_64" is not an allowed value for option "ios-arch"</code> I'am able to fix this by running<code class="notranslate"> flutter run</code> but this shouldn't be necessary. Or you can provide an information to use <code class="notranslate">flutter run</code>.</p> <h2 dir="auto">Logs</h2> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="PhaseScriptExecution Run\ Script /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh cd /Users/.... export ACTION=build export AD_HOC_CODE_SIGNING_ALLOWED=YES export ALTERNATE_GROUP=staff export ALTERNATE_MODE=u+w,go-w,a+rX export ALTERNATE_OWNER=gregor export ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES=NO export ALWAYS_SEARCH_USER_PATHS=NO export ALWAYS_USE_SEPARATE_HEADERMAPS=NO export APPLE_INTERNAL_DEVELOPER_DIR=/AppleInternal/Developer export APPLE_INTERNAL_DIR=/AppleInternal export APPLE_INTERNAL_DOCUMENTATION_DIR=/AppleInternal/Documentation export APPLE_INTERNAL_LIBRARY_DIR=/AppleInternal/Library export APPLE_INTERNAL_TOOLS=/AppleInternal/Developer/Tools export APPLICATION_EXTENSION_API_ONLY=NO export APPLY_RULES_IN_COPY_FILES=NO export ARCHS=x86_64 export ARCHS_STANDARD=&quot;i386 x86_64&quot; export ARCHS_STANDARD_32_64_BIT=&quot;i386 x86_64&quot; export ARCHS_STANDARD_32_BIT=i386 export ARCHS_STANDARD_64_BIT=x86_64 export ARCHS_STANDARD_INCLUDING_64_BIT=&quot;i386 x86_64&quot; export ARCHS_UNIVERSAL_IPHONE_OS=&quot;i386 x86_64&quot; export ASSETCATALOG_COMPILER_APPICON_NAME=AppIcon export AVAILABLE_PLATFORMS=&quot;appletvos appletvsimulator iphoneos iphonesimulator macosx watchos watchsimulator&quot; export BITCODE_GENERATION_MODE=marker export BUILD_ACTIVE_RESOURCES_ONLY=YES export BUILD_COMPONENTS=&quot;headers build&quot; export BUILD_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products export BUILD_ROOT=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products export BUILD_STYLE= export BUILD_VARIANTS=normal export BUILT_PRODUCTS_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator export CACHE_ROOT=/var/folders/z9/t4zybpkj5wzb9842fxgxp9sw0000gn/C/com.apple.DeveloperTools/9.3-9E145/Xcode export CCHROOT=/var/folders/z9/t4zybpkj5wzb9842fxgxp9sw0000gn/C/com.apple.DeveloperTools/9.3-9E145/Xcode export CHMOD=/bin/chmod export CHOWN=/usr/sbin/chown export CLANG_ANALYZER_NONNULL=YES export CLANG_CXX_LANGUAGE_STANDARD=gnu++0x export CLANG_CXX_LIBRARY=libc++ export CLANG_ENABLE_MODULES=YES export CLANG_ENABLE_OBJC_ARC=YES export CLANG_MODULES_BUILD_SESSION_FILE=/Users/gregor/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation export CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING=YES export CLANG_WARN_BOOL_CONVERSION=YES export CLANG_WARN_COMMA=YES export CLANG_WARN_CONSTANT_CONVERSION=YES export CLANG_WARN_DIRECT_OBJC_ISA_USAGE=YES_ERROR export CLANG_WARN_EMPTY_BODY=YES export CLANG_WARN_ENUM_CONVERSION=YES export CLANG_WARN_INFINITE_RECURSION=YES export CLANG_WARN_INT_CONVERSION=YES export CLANG_WARN_NON_LITERAL_NULL_CONVERSION=YES export CLANG_WARN_OBJC_LITERAL_CONVERSION=YES export CLANG_WARN_OBJC_ROOT_CLASS=YES_ERROR export CLANG_WARN_RANGE_LOOP_ANALYSIS=YES export CLANG_WARN_STRICT_PROTOTYPES=YES export CLANG_WARN_SUSPICIOUS_MOVE=YES export CLANG_WARN_UNREACHABLE_CODE=YES export CLANG_WARN__DUPLICATE_METHOD_MATCH=YES export CLASS_FILE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/JavaClasses export CLEAN_PRECOMPS=YES export CLONE_HEADERS=NO export CODESIGNING_FOLDER_PATH=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Runner.app export CODE_SIGNING_ALLOWED=YES export CODE_SIGNING_REQUIRED=YES export CODE_SIGN_CONTEXT_CLASS=XCiPhoneSimulatorCodeSignContext export CODE_SIGN_ENTITLEMENTS=Runner/Runner.entitlements export CODE_SIGN_IDENTITY=&quot;iPhone Deve 00:35 loper&quot; export CODE_SIGN_INJECT_BASE_ENTITLEMENTS=YES export CODE_SIGN_STYLE=Automatic export COLOR_DIAGNOSTICS=NO export COMBINE_HIDPI_IMAGES=NO export COMMAND_MODE=legacy export COMPILER_INDEX_STORE_ENABLE=Default export COMPOSITE_SDK_DIRS=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/CompositeSDKs export COMPRESS_PNG_FILES=YES export CONFIGURATION=Debug export CONFIGURATION_BUILD_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator export CONFIGURATION_TEMP_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator export CONTENTS_FOLDER_PATH=Runner.app export COPYING_PRESERVES_HFS_DATA=NO export COPY_HEADERS_RUN_UNIFDEF=NO export COPY_PHASE_STRIP=NO export COPY_RESOURCES_FROM_STATIC_FRAMEWORKS=YES export CORRESPONDING_DEVICE_PLATFORM_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform export CORRESPONDING_DEVICE_PLATFORM_NAME=iphoneos export CORRESPONDING_DEVICE_SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk export CORRESPONDING_DEVICE_SDK_NAME=iphoneos11.3 export CP=/bin/cp export CREATE_INFOPLIST_SECTION_IN_BINARY=NO export CURRENT_ARCH=x86_64 export CURRENT_VARIANT=normal export DEAD_CODE_STRIPPING=YES export DEBUGGING_SYMBOLS=YES export DEBUG_INFORMATION_FORMAT=dwarf export DEFAULT_COMPILER=com.apple.compilers.llvm.clang.1_0 export DEFAULT_KEXT_INSTALL_PATH=/System/Library/Extensions export DEFINES_MODULE=NO export DEPLOYMENT_LOCATION=NO export DEPLOYMENT_POSTPROCESSING=NO export DEPLOYMENT_TARGET_CLANG_ENV_NAME=IPHONEOS_DEPLOYMENT_TARGET export DEPLOYMENT_TARGET_CLANG_FLAG_NAME=mios-simulator-version-min export DEPLOYMENT_TARGET_CLANG_FLAG_PREFIX=-mios-simulator-version-min= export DEPLOYMENT_TARGET_SETTING_NAME=IPHONEOS_DEPLOYMENT_TARGET export DEPLOYMENT_TARGET_SUGGESTED_VALUES=&quot;8.0 8.1 8.2 8.3 8.4 9.0 9.1 9.2 9.3 10.0 10.1 10.2 10.3 11.0 11.3&quot; export DERIVED_FILES_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources export DERIVED_FILE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources export DERIVED_SOURCES_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources export DEVELOPER_APPLICATIONS_DIR=/Applications/Xcode.app/Contents/Developer/Applications export DEVELOPER_BIN_DIR=/Applications/Xcode.app/Contents/Developer/usr/bin export DEVELOPER_DIR=/Applications/Xcode.app/Contents/Developer export DEVELOPER_FRAMEWORKS_DIR=/Applications/Xcode.app/Contents/Developer/Library/Frameworks export DEVELOPER_FRAMEWORKS_DIR_QUOTED=/Applications/Xcode.app/Contents/Developer/Library/Frameworks export DEVELOPER_LIBRARY_DIR=/Applications/Xcode.app/Contents/Developer/Library export DEVELOPER_SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs export DEVELOPER_TOOLS_DIR=/Applications/Xcode.app/Contents/Developer/Tools export DEVELOPER_USR_DIR=/Applications/Xcode.app/Contents/Developer/usr export DEVELOPMENT_LANGUAGE=English export DEVELOPMENT_TEAM=QMFGWH73N7 export DOCUMENTATION_FOLDER_PATH=Runner.app/English.lproj/Documentation export DO_HEADER_SCANNING_IN_JAM=NO export DSTROOT=/tmp/Runner.dst export DT_TOOLCHAIN_DIR=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain export DWARF_DSYM_FILE_NAME=Runner.app.dSYM export DWARF_DSYM_FILE_SHOULD_ACCO 00:35 MPANY_PRODUCT=NO export DWARF_DSYM_FOLDER_PATH=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator export EFFECTIVE_PLATFORM_NAME=-iphonesimulator export EMBEDDED_CONTENT_CONTAINS_SWIFT=NO export EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE=NO export ENABLE_BITCODE=NO export ENABLE_DEFAULT_HEADER_SEARCH_PATHS=YES export ENABLE_HEADER_DEPENDENCIES=YES export ENABLE_ON_DEMAND_RESOURCES=YES export ENABLE_STRICT_OBJC_MSGSEND=YES export ENABLE_TESTABILITY=YES export ENTITLEMENTS_REQUIRED=YES export EXCLUDED_INSTALLSRC_SUBDIRECTORY_PATTERNS=&quot;.DS_Store .svn .git .hg CVS&quot; export EXCLUDED_RECURSIVE_SEARCH_PATH_SUBDIRECTORIES=&quot;*.nib *.lproj *.framework *.gch *.xcode* *.xcassets (*) .DS_Store CVS .svn .git .hg *.pbproj *.pbxproj&quot; export EXECUTABLES_FOLDER_PATH=Runner.app/Executables export EXECUTABLE_FOLDER_PATH=Runner.app export EXECUTABLE_NAME=Runner export EXECUTABLE_PATH=Runner.app/Runner export EXPANDED_CODE_SIGN_IDENTITY=- export EXPANDED_CODE_SIGN_IDENTITY_NAME=- export EXPANDED_PROVISIONING_PROFILE= export FILE_LIST=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects/LinkFileList export FIXED_FILES_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/FixedFiles export FLUTTER_APPLICATION_PATH=/Users/.... export FLUTTER_BUILD_DIR=build export FLUTTER_BUILD_MODE=release export FLUTTER_FRAMEWORK_DIR=/Users/gregor/desktop/flutter/bin/cache/artifacts/engine/ios-release export FLUTTER_ROOT=/Users/gregor/desktop/flutter export FLUTTER_TARGET=lib/main.dart export FRAMEWORKS_FOLDER_PATH=Runner.app/Frameworks export FRAMEWORK_FLAG_PREFIX=-framework export FRAMEWORK_SEARCH_PATHS=&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseCore /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseMessaging /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/GoogleToolboxForMac /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Protobuf /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/firebase_messaging /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/nanopb /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/path_provider /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/shared_preferences /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/url_launcher /Users/.../ios/Pods/FirebaseAnalytics/Frameworks / Users/.../ios/Pods/FirebaseInstanceID/Frameworks / Users/.../ios/Pods/.symlinks/flutter/ios-release / Users/.../ios/Flutter / Users/../ios/Pods/FirebaseMessaging/Frameworks&quot; export FRAMEWORK_VERSION=A export FULL_PRODUCT_NAME=Runner.app export GCC3_VERSION=3.3 export GCC_C_LANGUAGE_STANDARD=gnu99 export GCC_DYNAMIC_NO_PIC=NO export GCC_INLINES_ARE_PRIVATE_EXTERN=YES export GCC_NO_COMMON_BLOCKS=YES export GCC_OBJC_LEGACY_DISPATCH=YES export 00:35 GCC_OPTIMIZATION_LEVEL=0 export GCC_PFE_FILE_C_DIALECTS=&quot;c objective-c c++ objective-c++&quot; export GCC_PREPROCESSOR_DEFINITIONS=&quot;DEBUG=1 COCOAPODS=1 GPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 PB_FIELD_32BIT=1 PB_NO_PACKED_STRUCTS=1 COCOAPODS=1 DEBUG=1 COCOAPODS=1 GPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 PB_FIELD_32BIT=1 PB_NO_PACKED_STRUCTS=1 GPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 DEBUG=1 COCOAPODS=1 GPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 PB_FIELD_32BIT=1 PB_NO_PACKED_STRUCTS=1 PB_FIELD_32BIT=1 PB_NO_PACKED_STRUCTS=1&quot; export GCC_SYMBOLS_PRIVATE_EXTERN=NO export GCC_TREAT_WARNINGS_AS_ERRORS=NO export GCC_VERSION=com.apple.compilers.llvm.clang.1_0 export GCC_VERSION_IDENTIFIER=com_apple_compilers_llvm_clang_1_0 export GCC_WARN_64_TO_32_BIT_CONVERSION=YES export GCC_WARN_ABOUT_RETURN_TYPE=YES_ERROR export GCC_WARN_UNDECLARED_SELECTOR=YES export GCC_WARN_UNINITIALIZED_AUTOS=YES_AGGRESSIVE export GCC_WARN_UNUSED_FUNCTION=YES export GCC_WARN_UNUSED_VARIABLE=YES export GENERATE_MASTER_OBJECT_FILE=NO export GENERATE_PKGINFO_FILE=YES export GENERATE_PROFILING_CODE=NO export GENERATE_TEXT_BASED_STUBS=NO export GID=20 export GROUP=staff export HEADERMAP_INCLUDES_FLAT_ENTRIES_FOR_TARGET_BEING_BUILT=YES export HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_ALL_PRODUCT_TYPES=YES export HEADERMAP_INCLUDES_NONPUBLIC_NONPRIVATE_HEADERS=YES export HEADERMAP_INCLUDES_PROJECT_HEADERS=YES export HEADERMAP_USES_FRAMEWORK_PREFIX_ENTRIES=YES export HEADERMAP_USES_VFS=NO export HEADER_SEARCH_PATHS=&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/include /Users.../ios/Pods/Firebase/CoreOnly/Sources / Users/.../ios/Pods/Headers/Public /Users/.../ios/Pods/Headers/Public/Firebase&quot; export HIDE_BITCODE_SYMBOLS=YES export HOME=/Users/gregor export ICONV=/usr/bin/iconv export INFOPLIST_EXPAND_BUILD_SETTINGS=YES export INFOPLIST_FILE=Runner/Info.plist export INFOPLIST_OUTPUT_FORMAT=binary export INFOPLIST_PATH=Runner.app/Info.plist export INFOPLIST_PREPROCESS=NO export INFOSTRINGS_PATH=Runner.app/English.lproj/InfoPlist.strings export INLINE_PRIVATE_FRAMEWORKS=NO export INSTALLHDRS_COPY_PHASE=NO export INSTALLHDRS_SCRIPT_PHASE=NO export INSTALL_DIR=/tmp/Runner.dst/Applications export INSTALL_GROUP=staff export INSTALL_MODE_FLAG=u+w,go-w,a+rX export INSTALL_OWNER=gregor export INSTALL_PATH=/Applications export INSTALL_ROOT=/tmp/Runner.dst export IPHONEOS_DEPLOYMENT_TARGET=9.0 export JAVAC_DEFAULT_FLAGS=&quot;-J-Xms64m -J-XX:NewSize=4M -J-Dfile.encoding=UTF8&quot; export JAVA_APP_STUB=/System/Library/Frameworks/JavaVM.framework/Resources/MacOS/JavaApplicationStub export JAVA_ARCHIVE_CLASSES=YES export JAVA_ARCHIVE_TYPE=JAR export JAVA_COMPILER=/usr/bin/javac export JAVA_FOLDER_PATH=Runner.app/Java export JAVA_FRAMEWORK_RESOURCES_DIRS=Resources export JAVA_JAR_FLAGS=cv export JAVA_SOURCE_SUBDIR=. export JAVA_USE_DEPENDENCIES=YES export JAVA_ZIP_FLAGS=-urg export JIKES_DEFAULT_FLAGS=&quot;+E +OLDCSO&quot; export KEEP_PRIVATE_EXTERNS=NO export LD_DEPENDENCY_INFO_FILE=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_dependency_info.dat export LD_GENERATE_MAP_FILE=NO export LD_MAP_FILE_PATH=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-LinkMap-normal-x86_64.txt export LD_NO_PIE=NO export LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER=YES export LD_RUNPATH_SEARCH_PATHS=&quot; '@executable_path/Frameworks' '@loader_path/Frameworks' '@executable_path/Frameworks' '@loader_path/Frameworks' @executable_path/Frameworks&quot; exp 00:35 ort LEGACY_DEVELOPER_DIR=/Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer export LEX=lex export LIBRARY_FLAG_NOSPACE=YES export LIBRARY_FLAG_PREFIX=-l export LIBRARY_KEXT_INSTALL_PATH=/Library/Extensions export LIBRARY_SEARCH_PATHS=&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator /Users/.../ios/Flutter&quot; export LINKER_DISPLAYS_MANGLED_NAMES=NO export LINK_FILE_LIST_normal_x86_64=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.LinkFileList export LINK_WITH_STANDARD_LIBRARIES=YES export LOCALIZABLE_CONTENT_DIR= export LOCALIZED_RESOURCES_FOLDER_PATH=Runner.app/English.lproj export LOCALIZED_STRING_MACRO_NAMES=&quot;NSLocalizedString CFLocalizedString&quot; export LOCAL_ADMIN_APPS_DIR=/Applications/Utilities export LOCAL_APPS_DIR=/Applications export LOCAL_DEVELOPER_DIR=/Library/Developer export LOCAL_LIBRARY_DIR=/Library export LOCROOT= export LOCSYMROOT= export MACH_O_TYPE=mh_execute export MAC_OS_X_PRODUCT_BUILD_VERSION=17E199 export MAC_OS_X_VERSION_ACTUAL=101304 export MAC_OS_X_VERSION_MAJOR=101300 export MAC_OS_X_VERSION_MINOR=1304 export METAL_LIBRARY_FILE_BASE=default export METAL_LIBRARY_OUTPUT_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Runner.app export MODULE_CACHE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/ModuleCache.noindex export MTL_ENABLE_DEBUG_INFO=YES export NATIVE_ARCH=i386 export NATIVE_ARCH_32_BIT=i386 export NATIVE_ARCH_64_BIT=x86_64 export NATIVE_ARCH_ACTUAL=x86_64 export NO_COMMON=YES export OBJC_ABI_VERSION=2 export OBJECT_FILE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects export OBJECT_FILE_DIR_normal=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal export OBJROOT=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex export ONLY_ACTIVE_ARCH=YES export OS=MACOS export OSAC=/usr/bin/osacompile export OTHER_CFLAGS=&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/GoogleToolboxForMac/GoogleToolboxForMac.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Protobuf/Protobuf.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/firebase_messaging/firebase_messaging.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/nanopb/nanopb.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/path_provider/path_provider.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/shared_preferences/shared_preferences.framework/Headers\&quot; -iquote \&quot;/Us 00:35 ers/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\&quot; -isystem \&quot;/Users/.../ios/Pods/Headers/Public\&quot; -isystem \&quot;/ Users/.../ios/Pods/Headers/Public/Firebase\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/GoogleToolboxForMac/GoogleToolboxForMac.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Protobuf/Protobuf.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/firebase_messaging/firebase_messaging.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/nanopb/nanopb.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/path_provider/path_provider.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/shared_preferences/shared_preferences.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\&quot; -isystem \&quot;/Users/gregor/StudioProjects/eduard_flutter/ios/Pods/Headers/Public\&quot; -isystem \&quot;/Users/gregor/StudioProjects/eduard_flutter/ios/Pods/Headers/Public/Firebase\&quot;&quot; export OTHER_CPLUSPLUSFLAGS=&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/GoogleToolboxForMac/GoogleToolboxForMac.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Protobuf/Protobuf.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/firebase_messaging/firebase_messaging.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/nanopb/nanopb.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/path_provider/path_provider.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/shared_preferences/shared_preferences.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\&quot; -isystem \&quot;/Users/gregor/StudioProjects/eduard_flutter/ios/Pods/Headers/Public\&quot; -isystem \&quot;/Users/gregor/StudioProjects/eduard_flutter/ios/Pods/Headers/Public/Firebase\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Buil 00:35 d/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/GoogleToolboxForMac/GoogleToolboxForMac.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Protobuf/Protobuf.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/firebase_messaging/firebase_messaging.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/nanopb/nanopb.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/path_provider/path_provider.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/shared_preferences/shared_preferences.framework/Headers\&quot; -iquote \&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\&quot; -isystem \&quot;/Users/gregor/StudioProjects/eduard_flutter/ios/Pods/Headers/Public\&quot; -isystem \&quot;/Users/gregor/StudioProjects/eduard_flutter/ios/Pods/Headers/Public/Firebase\&quot;&quot; export OTHER_LDFLAGS=&quot; -ObjC -l\&quot;c++\&quot; -l\&quot;sqlite3\&quot; -l\&quot;z\&quot; -framework \&quot;FirebaseAnalytics\&quot; -framework \&quot;FirebaseCore\&quot; -framework \&quot;FirebaseCoreDiagnostics\&quot; -framework \&quot;FirebaseInstanceID\&quot; -framework \&quot;FirebaseMessaging\&quot; -framework \&quot;FirebaseNanoPB\&quot; -framework \&quot;Flutter\&quot; -framework \&quot;Foundation\&quot; -framework \&quot;GoogleToolboxForMac\&quot; -framework \&quot;Protobuf\&quot; -framework \&quot;Security\&quot; -framework \&quot;StoreKit\&quot; -framework \&quot;SystemConfiguration\&quot; -framework \&quot;firebase_messaging\&quot; -framework \&quot;nanopb\&quot; -framework \&quot;path_provider\&quot; -framework \&quot;shared_preferences\&quot; -framework \&quot;url_launcher\&quot; -ObjC -l\&quot;c++\&quot; -l\&quot;sqlite3\&quot; -l\&quot;z\&quot; -framework \&quot;FirebaseAnalytics\&quot; -framework \&quot;FirebaseCore\&quot; -framework \&quot;FirebaseCoreDiagnostics\&quot; -framework \&quot;FirebaseInstanceID\&quot; -framework \&quot;FirebaseMessaging\&quot; -framework \&quot;FirebaseNanoPB\&quot; -framework \&quot;Flutter\&quot; -framework \&quot;Foundation\&quot; -framework \&quot;GoogleToolboxForMac\&quot; -framework \&quot;Protobuf\&quot; -framework \&quot;Security\&quot; -framework \&quot;StoreKit\&quot; -framework \&quot;SystemConfiguration\&quot; -framework \&quot;firebase_messaging\&quot; -framework \&quot;nanopb\&quot; -framework \&quot;path_provider\&quot; -framework \&quot;shared_preferences\&quot; -framework \&quot;url_launcher\&quot;&quot; export PACKAGE_TYPE=com.apple.package-type.wrapper.application export PASCAL_STRINGS=YES export PATH=&quot;/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin:/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/local/bin:/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/libexec:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/local/bin:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/usr/bin:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/usr/local/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/local/bin:/Applications/Xcode.app/Contents/Developer/Tools:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin&quot; export PATH_PREFIXES_EXCLUDED_FROM_HEADER_DEPENDENCIES=&quot;/usr/include /usr/local/include /System/Library/Frameworks /System/Library/PrivateFrameworks /Applications/Xcode.app/Contents/Developer/Headers /Applications/Xcode.app/Contents/Develope 00:35 r/SDKs /Applications/Xcode.app/Contents/Developer/Platforms&quot; export PBDEVELOPMENTPLIST_PATH=Runner.app/pbdevelopment.plist export PFE_FILE_C_DIALECTS=objective-c export PKGINFO_FILE_PATH=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/PkgInfo export PKGINFO_PATH=Runner.app/PkgInfo export PLATFORM_DEVELOPER_APPLICATIONS_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Applications export PLATFORM_DEVELOPER_BIN_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin export PLATFORM_DEVELOPER_LIBRARY_DIR=/Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer/Library export PLATFORM_DEVELOPER_SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs export PLATFORM_DEVELOPER_TOOLS_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Tools export PLATFORM_DEVELOPER_USR_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr export PLATFORM_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform export PLATFORM_DISPLAY_NAME=&quot;iOS Simulator&quot; export PLATFORM_NAME=iphonesimulator export PLATFORM_PREFERRED_ARCH=x86_64 export PLIST_FILE_OUTPUT_FORMAT=binary export PLUGINS_FOLDER_PATH=Runner.app/PlugIns export PODS_BUILD_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products export PODS_CONFIGURATION_BUILD_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator export PODS_PODFILE_DIR_PATH=/Users/gregor/StudioProjects/eduard_flutter/ios/. export PODS_ROOT=/Users/gregor/StudioProjects/eduard_flutter/ios/Pods export PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR=YES export PRECOMP_DESTINATION_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/PrefixHeaders export PRESERVE_DEAD_CODE_INITS_AND_TERMS=NO export PREVIEW_DART_2=true export PRIVATE_HEADERS_FOLDER_PATH=Runner.app/PrivateHeaders export PRODUCT_BUNDLE_IDENTIFIER=com.eduard.flutter export PRODUCT_MODULE_NAME=Runner export PRODUCT_NAME=Runner export PRODUCT_SETTINGS_PATH=/Users/gregor/StudioProjects/eduard_flutter/ios/Runner/Info.plist export PRODUCT_TYPE=com.apple.product-type.application export PROFILING_CODE=NO export PROJECT=Runner export PROJECT_DERIVED_FILE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/DerivedSources export PROJECT_DIR=/Users/gregor/StudioProjects/eduard_flutter/ios export PROJECT_FILE_PATH=/Users/gregor/StudioProjects/eduard_flutter/ios/Runner.xcodeproj export PROJECT_NAME=Runner export PROJECT_TEMP_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build export PROJECT_TEMP_ROOT=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex export PUBLIC_HEADERS_FOLDER_PATH=Runner.app/Headers export RECURSIVE_SEARCH_PATHS_FOLLOW_SYMLINKS=YES export REMOVE_CVS_FROM_RESOURCES=YES export REMOVE_GIT_FROM_RESOURCES=YES export REMOVE_HEADERS_FROM_EMBEDDED_BUNDLES=YES export REMOVE_HG_FROM_RESOURCES=YES export REMOVE_SVN_FROM_RESOURCES=YES export REZ_COLLECTOR_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources export REZ_OBJECTS_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Bui 00:35 ld/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources/Objects export REZ_SEARCH_PATHS=&quot;/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator &quot; export SCAN_ALL_SOURCE_FILES_FOR_INCLUDES=NO export SCRIPTS_FOLDER_PATH=Runner.app/Scripts export SCRIPT_INPUT_FILE_COUNT=0 export SCRIPT_OUTPUT_FILE_COUNT=0 export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk export SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk export SDK_DIR_iphonesimulator11_3=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk export SDK_NAME=iphonesimulator11.3 export SDK_NAMES=iphonesimulator11.3 export SDK_PRODUCT_BUILD_VERSION=15E217 export SDK_VERSION=11.3 export SDK_VERSION_ACTUAL=110300 export SDK_VERSION_MAJOR=110000 export SDK_VERSION_MINOR=300 export SED=/usr/bin/sed export SEPARATE_STRIP=NO export SEPARATE_SYMBOL_EDIT=NO export SET_DIR_MODE_OWNER_GROUP=YES export SET_FILE_MODE_OWNER_GROUP=NO export SHALLOW_BUNDLE=YES export SHARED_DERIVED_FILE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/DerivedSources export SHARED_FRAMEWORKS_FOLDER_PATH=Runner.app/SharedFrameworks export SHARED_PRECOMPS_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/PrecompiledHeaders export SHARED_SUPPORT_FOLDER_PATH=Runner.app/SharedSupport export SKIP_INSTALL=NO export SOURCE_ROOT=/Users/gregor/StudioProjects/eduard_flutter/ios export SRCROOT=/Users/gregor/StudioProjects/eduard_flutter/ios export STRINGS_FILE_OUTPUT_ENCODING=binary export STRIP_BITCODE_FROM_COPIED_FILES=NO export STRIP_INSTALLED_PRODUCT=YES export STRIP_STYLE=all export STRIP_SWIFT_SYMBOLS=YES export SUPPORTED_DEVICE_FAMILIES=1,2 export SUPPORTED_PLATFORMS=&quot;iphonesimulator iphoneos&quot; export SUPPORTS_TEXT_BASED_API=NO export SWIFT_COMPILATION_MODE=singlefile export SWIFT_OBJC_BRIDGING_HEADER=Runner/Runner-Bridging-Header.h export SWIFT_OPTIMIZATION_LEVEL=-O export SWIFT_PLATFORM_TARGET_PREFIX=ios export SWIFT_SWIFT3_OBJC_INFERENCE=On export SWIFT_VERSION=4.0 export SYMROOT=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products export SYSTEM_ADMIN_APPS_DIR=/Applications/Utilities export SYSTEM_APPS_DIR=/Applications export SYSTEM_CORE_SERVICES_DIR=/System/Library/CoreServices export SYSTEM_DEMOS_DIR=/Applications/Extras export SYSTEM_DEVELOPER_APPS_DIR=/Applications/Xcode.app/Contents/Developer/Applications export SYSTEM_DEVELOPER_BIN_DIR=/Applications/Xcode.app/Contents/Developer/usr/bin export SYSTEM_DEVELOPER_DEMOS_DIR=&quot;/Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built Examples&quot; export SYSTEM_DEVELOPER_DIR=/Applications/Xcode.app/Contents/Developer export SYSTEM_DEVELOPER_DOC_DIR=&quot;/Applications/Xcode.app/Contents/Developer/ADC Reference Library&quot; export SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR=&quot;/Applications/Xcode.app/Contents/Developer/Applications/Graphics Tools&quot; export SYSTEM_DEVELOPER_JAVA_TOOLS_DIR=&quot;/Applications/Xcode.app/Contents/Developer/Applications/Java Tools&quot; export SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR=&quot;/Applications/Xcode.app/Contents/Developer/Applications/Performance Tools&quot; export SYSTEM_DEVELOPER_RELEASENOTES_DIR=&quot;/Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes&quot; export SYSTEM_DEVELOPER_TOOLS=/Applications/Xcode.app/Contents/Developer/Tools export SYSTEM_DEVELOPER_TOOLS_DOC_DIR=&quot;/Applications/Xcode.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools&quot; export SYSTEM_DEVELO 00:35 PER_TOOLS_RELEASENOTES_DIR=&quot;/Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools&quot; export SYSTEM_DEVELOPER_USR_DIR=/Applications/Xcode.app/Contents/Developer/usr export SYSTEM_DEVELOPER_UTILITIES_DIR=/Applications/Xcode.app/Contents/Developer/Applications/Utilities export SYSTEM_DOCUMENTATION_DIR=/Library/Documentation export SYSTEM_KEXT_INSTALL_PATH=/System/Library/Extensions export SYSTEM_LIBRARY_DIR=/System/Library export TAPI_VERIFY_MODE=ErrorsOnly export TARGETED_DEVICE_FAMILY=1,2 export TARGETNAME=Runner export TARGET_BUILD_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator export TARGET_DEVICE_IDENTIFIER=8054E70D-CC8D-4A44-8873-B80145AA0726 export TARGET_DEVICE_MODEL=iPad6,8 export TARGET_DEVICE_OS_VERSION=11.3 export TARGET_NAME=Runner export TARGET_TEMP_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build export TEMP_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build export TEMP_FILES_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build export TEMP_FILE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build export TEMP_ROOT=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex export TOOLCHAINS=com.apple.dt.toolchain.XcodeDefault export TOOLCHAIN_DIR=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain export TREAT_MISSING_BASELINES_AS_TEST_FAILURES=NO export UID=501 export UNLOCALIZED_RESOURCES_FOLDER_PATH=Runner.app export UNSTRIPPED_PRODUCT=NO export USER=gregor export USER_APPS_DIR=/Users/gregor/Applications export USER_LIBRARY_DIR=/Users/gregor/Library export USE_DYNAMIC_NO_PIC=YES export USE_HEADERMAP=YES export USE_HEADER_SYMLINKS=NO export VALIDATE_PRODUCT=NO export VALID_ARCHS=&quot;i386 x86_64&quot; export VERBOSE_PBXCP=NO export VERSIONPLIST_PATH=Runner.app/version.plist export VERSION_INFO_BUILDER=gregor export VERSION_INFO_FILE=Runner_vers.c export VERSION_INFO_STRING=&quot;\&quot;@(#)PROGRAM:Runner PROJECT:Runner-\&quot;&quot; export WRAPPER_EXTENSION=app export WRAPPER_NAME=Runner.app export WRAPPER_SUFFIX=.app export WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES=NO export XCODE_APP_SUPPORT_DIR=/Applications/Xcode.app/Contents/Developer/Library/Xcode export XCODE_PRODUCT_BUILD_VERSION=9E145 export XCODE_VERSION_ACTUAL=0930 export XCODE_VERSION_MAJOR=0900 export XCODE_VERSION_MINOR=0930 export XPCSERVICES_FOLDER_PATH=Runner.app/XPCServices export YACC=yacc export arch=x86_64 export variant=normal /bin/sh -c /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh &quot;x86_64&quot; is not an allowed value for option &quot;ios-arch&quot;. Run 'flutter -h' (or 'flutter &lt;command&gt; -h') for available flutter commands and options. Failed to build /Users/... Command /bin/sh failed with exit code 255"><pre class="notranslate"><code class="notranslate">PhaseScriptExecution Run\ Script /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh cd /Users/.... export ACTION=build export AD_HOC_CODE_SIGNING_ALLOWED=YES export ALTERNATE_GROUP=staff export ALTERNATE_MODE=u+w,go-w,a+rX export ALTERNATE_OWNER=gregor export ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES=NO export ALWAYS_SEARCH_USER_PATHS=NO export ALWAYS_USE_SEPARATE_HEADERMAPS=NO export APPLE_INTERNAL_DEVELOPER_DIR=/AppleInternal/Developer export APPLE_INTERNAL_DIR=/AppleInternal export APPLE_INTERNAL_DOCUMENTATION_DIR=/AppleInternal/Documentation export APPLE_INTERNAL_LIBRARY_DIR=/AppleInternal/Library export APPLE_INTERNAL_TOOLS=/AppleInternal/Developer/Tools export APPLICATION_EXTENSION_API_ONLY=NO export APPLY_RULES_IN_COPY_FILES=NO export ARCHS=x86_64 export ARCHS_STANDARD="i386 x86_64" export ARCHS_STANDARD_32_64_BIT="i386 x86_64" export ARCHS_STANDARD_32_BIT=i386 export ARCHS_STANDARD_64_BIT=x86_64 export ARCHS_STANDARD_INCLUDING_64_BIT="i386 x86_64" export ARCHS_UNIVERSAL_IPHONE_OS="i386 x86_64" export ASSETCATALOG_COMPILER_APPICON_NAME=AppIcon export AVAILABLE_PLATFORMS="appletvos appletvsimulator iphoneos iphonesimulator macosx watchos watchsimulator" export BITCODE_GENERATION_MODE=marker export BUILD_ACTIVE_RESOURCES_ONLY=YES export BUILD_COMPONENTS="headers build" export BUILD_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products export BUILD_ROOT=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products export BUILD_STYLE= export BUILD_VARIANTS=normal export BUILT_PRODUCTS_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator export CACHE_ROOT=/var/folders/z9/t4zybpkj5wzb9842fxgxp9sw0000gn/C/com.apple.DeveloperTools/9.3-9E145/Xcode export CCHROOT=/var/folders/z9/t4zybpkj5wzb9842fxgxp9sw0000gn/C/com.apple.DeveloperTools/9.3-9E145/Xcode export CHMOD=/bin/chmod export CHOWN=/usr/sbin/chown export CLANG_ANALYZER_NONNULL=YES export CLANG_CXX_LANGUAGE_STANDARD=gnu++0x export CLANG_CXX_LIBRARY=libc++ export CLANG_ENABLE_MODULES=YES export CLANG_ENABLE_OBJC_ARC=YES export CLANG_MODULES_BUILD_SESSION_FILE=/Users/gregor/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation export CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING=YES export CLANG_WARN_BOOL_CONVERSION=YES export CLANG_WARN_COMMA=YES export CLANG_WARN_CONSTANT_CONVERSION=YES export CLANG_WARN_DIRECT_OBJC_ISA_USAGE=YES_ERROR export CLANG_WARN_EMPTY_BODY=YES export CLANG_WARN_ENUM_CONVERSION=YES export CLANG_WARN_INFINITE_RECURSION=YES export CLANG_WARN_INT_CONVERSION=YES export CLANG_WARN_NON_LITERAL_NULL_CONVERSION=YES export CLANG_WARN_OBJC_LITERAL_CONVERSION=YES export CLANG_WARN_OBJC_ROOT_CLASS=YES_ERROR export CLANG_WARN_RANGE_LOOP_ANALYSIS=YES export CLANG_WARN_STRICT_PROTOTYPES=YES export CLANG_WARN_SUSPICIOUS_MOVE=YES export CLANG_WARN_UNREACHABLE_CODE=YES export CLANG_WARN__DUPLICATE_METHOD_MATCH=YES export CLASS_FILE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/JavaClasses export CLEAN_PRECOMPS=YES export CLONE_HEADERS=NO export CODESIGNING_FOLDER_PATH=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Runner.app export CODE_SIGNING_ALLOWED=YES export CODE_SIGNING_REQUIRED=YES export CODE_SIGN_CONTEXT_CLASS=XCiPhoneSimulatorCodeSignContext export CODE_SIGN_ENTITLEMENTS=Runner/Runner.entitlements export CODE_SIGN_IDENTITY="iPhone Deve 00:35 loper" export CODE_SIGN_INJECT_BASE_ENTITLEMENTS=YES export CODE_SIGN_STYLE=Automatic export COLOR_DIAGNOSTICS=NO export COMBINE_HIDPI_IMAGES=NO export COMMAND_MODE=legacy export COMPILER_INDEX_STORE_ENABLE=Default export COMPOSITE_SDK_DIRS=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/CompositeSDKs export COMPRESS_PNG_FILES=YES export CONFIGURATION=Debug export CONFIGURATION_BUILD_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator export CONFIGURATION_TEMP_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator export CONTENTS_FOLDER_PATH=Runner.app export COPYING_PRESERVES_HFS_DATA=NO export COPY_HEADERS_RUN_UNIFDEF=NO export COPY_PHASE_STRIP=NO export COPY_RESOURCES_FROM_STATIC_FRAMEWORKS=YES export CORRESPONDING_DEVICE_PLATFORM_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform export CORRESPONDING_DEVICE_PLATFORM_NAME=iphoneos export CORRESPONDING_DEVICE_SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk export CORRESPONDING_DEVICE_SDK_NAME=iphoneos11.3 export CP=/bin/cp export CREATE_INFOPLIST_SECTION_IN_BINARY=NO export CURRENT_ARCH=x86_64 export CURRENT_VARIANT=normal export DEAD_CODE_STRIPPING=YES export DEBUGGING_SYMBOLS=YES export DEBUG_INFORMATION_FORMAT=dwarf export DEFAULT_COMPILER=com.apple.compilers.llvm.clang.1_0 export DEFAULT_KEXT_INSTALL_PATH=/System/Library/Extensions export DEFINES_MODULE=NO export DEPLOYMENT_LOCATION=NO export DEPLOYMENT_POSTPROCESSING=NO export DEPLOYMENT_TARGET_CLANG_ENV_NAME=IPHONEOS_DEPLOYMENT_TARGET export DEPLOYMENT_TARGET_CLANG_FLAG_NAME=mios-simulator-version-min export DEPLOYMENT_TARGET_CLANG_FLAG_PREFIX=-mios-simulator-version-min= export DEPLOYMENT_TARGET_SETTING_NAME=IPHONEOS_DEPLOYMENT_TARGET export DEPLOYMENT_TARGET_SUGGESTED_VALUES="8.0 8.1 8.2 8.3 8.4 9.0 9.1 9.2 9.3 10.0 10.1 10.2 10.3 11.0 11.3" export DERIVED_FILES_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources export DERIVED_FILE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources export DERIVED_SOURCES_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources export DEVELOPER_APPLICATIONS_DIR=/Applications/Xcode.app/Contents/Developer/Applications export DEVELOPER_BIN_DIR=/Applications/Xcode.app/Contents/Developer/usr/bin export DEVELOPER_DIR=/Applications/Xcode.app/Contents/Developer export DEVELOPER_FRAMEWORKS_DIR=/Applications/Xcode.app/Contents/Developer/Library/Frameworks export DEVELOPER_FRAMEWORKS_DIR_QUOTED=/Applications/Xcode.app/Contents/Developer/Library/Frameworks export DEVELOPER_LIBRARY_DIR=/Applications/Xcode.app/Contents/Developer/Library export DEVELOPER_SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs export DEVELOPER_TOOLS_DIR=/Applications/Xcode.app/Contents/Developer/Tools export DEVELOPER_USR_DIR=/Applications/Xcode.app/Contents/Developer/usr export DEVELOPMENT_LANGUAGE=English export DEVELOPMENT_TEAM=QMFGWH73N7 export DOCUMENTATION_FOLDER_PATH=Runner.app/English.lproj/Documentation export DO_HEADER_SCANNING_IN_JAM=NO export DSTROOT=/tmp/Runner.dst export DT_TOOLCHAIN_DIR=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain export DWARF_DSYM_FILE_NAME=Runner.app.dSYM export DWARF_DSYM_FILE_SHOULD_ACCO 00:35 MPANY_PRODUCT=NO export DWARF_DSYM_FOLDER_PATH=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator export EFFECTIVE_PLATFORM_NAME=-iphonesimulator export EMBEDDED_CONTENT_CONTAINS_SWIFT=NO export EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE=NO export ENABLE_BITCODE=NO export ENABLE_DEFAULT_HEADER_SEARCH_PATHS=YES export ENABLE_HEADER_DEPENDENCIES=YES export ENABLE_ON_DEMAND_RESOURCES=YES export ENABLE_STRICT_OBJC_MSGSEND=YES export ENABLE_TESTABILITY=YES export ENTITLEMENTS_REQUIRED=YES export EXCLUDED_INSTALLSRC_SUBDIRECTORY_PATTERNS=".DS_Store .svn .git .hg CVS" export EXCLUDED_RECURSIVE_SEARCH_PATH_SUBDIRECTORIES="*.nib *.lproj *.framework *.gch *.xcode* *.xcassets (*) .DS_Store CVS .svn .git .hg *.pbproj *.pbxproj" export EXECUTABLES_FOLDER_PATH=Runner.app/Executables export EXECUTABLE_FOLDER_PATH=Runner.app export EXECUTABLE_NAME=Runner export EXECUTABLE_PATH=Runner.app/Runner export EXPANDED_CODE_SIGN_IDENTITY=- export EXPANDED_CODE_SIGN_IDENTITY_NAME=- export EXPANDED_PROVISIONING_PROFILE= export FILE_LIST=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects/LinkFileList export FIXED_FILES_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/FixedFiles export FLUTTER_APPLICATION_PATH=/Users/.... export FLUTTER_BUILD_DIR=build export FLUTTER_BUILD_MODE=release export FLUTTER_FRAMEWORK_DIR=/Users/gregor/desktop/flutter/bin/cache/artifacts/engine/ios-release export FLUTTER_ROOT=/Users/gregor/desktop/flutter export FLUTTER_TARGET=lib/main.dart export FRAMEWORKS_FOLDER_PATH=Runner.app/Frameworks export FRAMEWORK_FLAG_PREFIX=-framework export FRAMEWORK_SEARCH_PATHS="/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseCore /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseMessaging /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/GoogleToolboxForMac /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Protobuf /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/firebase_messaging /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/nanopb /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/path_provider /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/shared_preferences /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/url_launcher /Users/.../ios/Pods/FirebaseAnalytics/Frameworks / Users/.../ios/Pods/FirebaseInstanceID/Frameworks / Users/.../ios/Pods/.symlinks/flutter/ios-release / Users/.../ios/Flutter / Users/../ios/Pods/FirebaseMessaging/Frameworks" export FRAMEWORK_VERSION=A export FULL_PRODUCT_NAME=Runner.app export GCC3_VERSION=3.3 export GCC_C_LANGUAGE_STANDARD=gnu99 export GCC_DYNAMIC_NO_PIC=NO export GCC_INLINES_ARE_PRIVATE_EXTERN=YES export GCC_NO_COMMON_BLOCKS=YES export GCC_OBJC_LEGACY_DISPATCH=YES export 00:35 GCC_OPTIMIZATION_LEVEL=0 export GCC_PFE_FILE_C_DIALECTS="c objective-c c++ objective-c++" export GCC_PREPROCESSOR_DEFINITIONS="DEBUG=1 COCOAPODS=1 GPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 PB_FIELD_32BIT=1 PB_NO_PACKED_STRUCTS=1 COCOAPODS=1 DEBUG=1 COCOAPODS=1 GPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 PB_FIELD_32BIT=1 PB_NO_PACKED_STRUCTS=1 GPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 DEBUG=1 COCOAPODS=1 GPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 PB_FIELD_32BIT=1 PB_NO_PACKED_STRUCTS=1 PB_FIELD_32BIT=1 PB_NO_PACKED_STRUCTS=1" export GCC_SYMBOLS_PRIVATE_EXTERN=NO export GCC_TREAT_WARNINGS_AS_ERRORS=NO export GCC_VERSION=com.apple.compilers.llvm.clang.1_0 export GCC_VERSION_IDENTIFIER=com_apple_compilers_llvm_clang_1_0 export GCC_WARN_64_TO_32_BIT_CONVERSION=YES export GCC_WARN_ABOUT_RETURN_TYPE=YES_ERROR export GCC_WARN_UNDECLARED_SELECTOR=YES export GCC_WARN_UNINITIALIZED_AUTOS=YES_AGGRESSIVE export GCC_WARN_UNUSED_FUNCTION=YES export GCC_WARN_UNUSED_VARIABLE=YES export GENERATE_MASTER_OBJECT_FILE=NO export GENERATE_PKGINFO_FILE=YES export GENERATE_PROFILING_CODE=NO export GENERATE_TEXT_BASED_STUBS=NO export GID=20 export GROUP=staff export HEADERMAP_INCLUDES_FLAT_ENTRIES_FOR_TARGET_BEING_BUILT=YES export HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_ALL_PRODUCT_TYPES=YES export HEADERMAP_INCLUDES_NONPUBLIC_NONPRIVATE_HEADERS=YES export HEADERMAP_INCLUDES_PROJECT_HEADERS=YES export HEADERMAP_USES_FRAMEWORK_PREFIX_ENTRIES=YES export HEADERMAP_USES_VFS=NO export HEADER_SEARCH_PATHS="/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/include /Users.../ios/Pods/Firebase/CoreOnly/Sources / Users/.../ios/Pods/Headers/Public /Users/.../ios/Pods/Headers/Public/Firebase" export HIDE_BITCODE_SYMBOLS=YES export HOME=/Users/gregor export ICONV=/usr/bin/iconv export INFOPLIST_EXPAND_BUILD_SETTINGS=YES export INFOPLIST_FILE=Runner/Info.plist export INFOPLIST_OUTPUT_FORMAT=binary export INFOPLIST_PATH=Runner.app/Info.plist export INFOPLIST_PREPROCESS=NO export INFOSTRINGS_PATH=Runner.app/English.lproj/InfoPlist.strings export INLINE_PRIVATE_FRAMEWORKS=NO export INSTALLHDRS_COPY_PHASE=NO export INSTALLHDRS_SCRIPT_PHASE=NO export INSTALL_DIR=/tmp/Runner.dst/Applications export INSTALL_GROUP=staff export INSTALL_MODE_FLAG=u+w,go-w,a+rX export INSTALL_OWNER=gregor export INSTALL_PATH=/Applications export INSTALL_ROOT=/tmp/Runner.dst export IPHONEOS_DEPLOYMENT_TARGET=9.0 export JAVAC_DEFAULT_FLAGS="-J-Xms64m -J-XX:NewSize=4M -J-Dfile.encoding=UTF8" export JAVA_APP_STUB=/System/Library/Frameworks/JavaVM.framework/Resources/MacOS/JavaApplicationStub export JAVA_ARCHIVE_CLASSES=YES export JAVA_ARCHIVE_TYPE=JAR export JAVA_COMPILER=/usr/bin/javac export JAVA_FOLDER_PATH=Runner.app/Java export JAVA_FRAMEWORK_RESOURCES_DIRS=Resources export JAVA_JAR_FLAGS=cv export JAVA_SOURCE_SUBDIR=. export JAVA_USE_DEPENDENCIES=YES export JAVA_ZIP_FLAGS=-urg export JIKES_DEFAULT_FLAGS="+E +OLDCSO" export KEEP_PRIVATE_EXTERNS=NO export LD_DEPENDENCY_INFO_FILE=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_dependency_info.dat export LD_GENERATE_MAP_FILE=NO export LD_MAP_FILE_PATH=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-LinkMap-normal-x86_64.txt export LD_NO_PIE=NO export LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER=YES export LD_RUNPATH_SEARCH_PATHS=" '@executable_path/Frameworks' '@loader_path/Frameworks' '@executable_path/Frameworks' '@loader_path/Frameworks' @executable_path/Frameworks" exp 00:35 ort LEGACY_DEVELOPER_DIR=/Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer export LEX=lex export LIBRARY_FLAG_NOSPACE=YES export LIBRARY_FLAG_PREFIX=-l export LIBRARY_KEXT_INSTALL_PATH=/Library/Extensions export LIBRARY_SEARCH_PATHS="/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator /Users/.../ios/Flutter" export LINKER_DISPLAYS_MANGLED_NAMES=NO export LINK_FILE_LIST_normal_x86_64=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.LinkFileList export LINK_WITH_STANDARD_LIBRARIES=YES export LOCALIZABLE_CONTENT_DIR= export LOCALIZED_RESOURCES_FOLDER_PATH=Runner.app/English.lproj export LOCALIZED_STRING_MACRO_NAMES="NSLocalizedString CFLocalizedString" export LOCAL_ADMIN_APPS_DIR=/Applications/Utilities export LOCAL_APPS_DIR=/Applications export LOCAL_DEVELOPER_DIR=/Library/Developer export LOCAL_LIBRARY_DIR=/Library export LOCROOT= export LOCSYMROOT= export MACH_O_TYPE=mh_execute export MAC_OS_X_PRODUCT_BUILD_VERSION=17E199 export MAC_OS_X_VERSION_ACTUAL=101304 export MAC_OS_X_VERSION_MAJOR=101300 export MAC_OS_X_VERSION_MINOR=1304 export METAL_LIBRARY_FILE_BASE=default export METAL_LIBRARY_OUTPUT_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Runner.app export MODULE_CACHE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/ModuleCache.noindex export MTL_ENABLE_DEBUG_INFO=YES export NATIVE_ARCH=i386 export NATIVE_ARCH_32_BIT=i386 export NATIVE_ARCH_64_BIT=x86_64 export NATIVE_ARCH_ACTUAL=x86_64 export NO_COMMON=YES export OBJC_ABI_VERSION=2 export OBJECT_FILE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects export OBJECT_FILE_DIR_normal=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal export OBJROOT=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex export ONLY_ACTIVE_ARCH=YES export OS=MACOS export OSAC=/usr/bin/osacompile export OTHER_CFLAGS=" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/GoogleToolboxForMac/GoogleToolboxForMac.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Protobuf/Protobuf.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/firebase_messaging/firebase_messaging.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/nanopb/nanopb.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/path_provider/path_provider.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/shared_preferences/shared_preferences.framework/Headers\" -iquote \"/Us 00:35 ers/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\" -isystem \"/Users/.../ios/Pods/Headers/Public\" -isystem \"/ Users/.../ios/Pods/Headers/Public/Firebase\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/GoogleToolboxForMac/GoogleToolboxForMac.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Protobuf/Protobuf.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/firebase_messaging/firebase_messaging.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/nanopb/nanopb.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/path_provider/path_provider.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/shared_preferences/shared_preferences.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\" -isystem \"/Users/gregor/StudioProjects/eduard_flutter/ios/Pods/Headers/Public\" -isystem \"/Users/gregor/StudioProjects/eduard_flutter/ios/Pods/Headers/Public/Firebase\"" export OTHER_CPLUSPLUSFLAGS=" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/GoogleToolboxForMac/GoogleToolboxForMac.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Protobuf/Protobuf.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/firebase_messaging/firebase_messaging.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/nanopb/nanopb.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/path_provider/path_provider.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/shared_preferences/shared_preferences.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\" -isystem \"/Users/gregor/StudioProjects/eduard_flutter/ios/Pods/Headers/Public\" -isystem \"/Users/gregor/StudioProjects/eduard_flutter/ios/Pods/Headers/Public/Firebase\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Buil 00:35 d/Products/Debug-iphonesimulator/FirebaseCore/FirebaseCore.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/FirebaseMessaging/FirebaseMessaging.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/GoogleToolboxForMac/GoogleToolboxForMac.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/Protobuf/Protobuf.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/firebase_messaging/firebase_messaging.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/nanopb/nanopb.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/path_provider/path_provider.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/shared_preferences/shared_preferences.framework/Headers\" -iquote \"/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\" -isystem \"/Users/gregor/StudioProjects/eduard_flutter/ios/Pods/Headers/Public\" -isystem \"/Users/gregor/StudioProjects/eduard_flutter/ios/Pods/Headers/Public/Firebase\"" export OTHER_LDFLAGS=" -ObjC -l\"c++\" -l\"sqlite3\" -l\"z\" -framework \"FirebaseAnalytics\" -framework \"FirebaseCore\" -framework \"FirebaseCoreDiagnostics\" -framework \"FirebaseInstanceID\" -framework \"FirebaseMessaging\" -framework \"FirebaseNanoPB\" -framework \"Flutter\" -framework \"Foundation\" -framework \"GoogleToolboxForMac\" -framework \"Protobuf\" -framework \"Security\" -framework \"StoreKit\" -framework \"SystemConfiguration\" -framework \"firebase_messaging\" -framework \"nanopb\" -framework \"path_provider\" -framework \"shared_preferences\" -framework \"url_launcher\" -ObjC -l\"c++\" -l\"sqlite3\" -l\"z\" -framework \"FirebaseAnalytics\" -framework \"FirebaseCore\" -framework \"FirebaseCoreDiagnostics\" -framework \"FirebaseInstanceID\" -framework \"FirebaseMessaging\" -framework \"FirebaseNanoPB\" -framework \"Flutter\" -framework \"Foundation\" -framework \"GoogleToolboxForMac\" -framework \"Protobuf\" -framework \"Security\" -framework \"StoreKit\" -framework \"SystemConfiguration\" -framework \"firebase_messaging\" -framework \"nanopb\" -framework \"path_provider\" -framework \"shared_preferences\" -framework \"url_launcher\"" export PACKAGE_TYPE=com.apple.package-type.wrapper.application export PASCAL_STRINGS=YES export PATH="/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin:/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/local/bin:/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/libexec:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/local/bin:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/usr/bin:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/usr/local/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/local/bin:/Applications/Xcode.app/Contents/Developer/Tools:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin" export PATH_PREFIXES_EXCLUDED_FROM_HEADER_DEPENDENCIES="/usr/include /usr/local/include /System/Library/Frameworks /System/Library/PrivateFrameworks /Applications/Xcode.app/Contents/Developer/Headers /Applications/Xcode.app/Contents/Develope 00:35 r/SDKs /Applications/Xcode.app/Contents/Developer/Platforms" export PBDEVELOPMENTPLIST_PATH=Runner.app/pbdevelopment.plist export PFE_FILE_C_DIALECTS=objective-c export PKGINFO_FILE_PATH=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/PkgInfo export PKGINFO_PATH=Runner.app/PkgInfo export PLATFORM_DEVELOPER_APPLICATIONS_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Applications export PLATFORM_DEVELOPER_BIN_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin export PLATFORM_DEVELOPER_LIBRARY_DIR=/Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer/Library export PLATFORM_DEVELOPER_SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs export PLATFORM_DEVELOPER_TOOLS_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Tools export PLATFORM_DEVELOPER_USR_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr export PLATFORM_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform export PLATFORM_DISPLAY_NAME="iOS Simulator" export PLATFORM_NAME=iphonesimulator export PLATFORM_PREFERRED_ARCH=x86_64 export PLIST_FILE_OUTPUT_FORMAT=binary export PLUGINS_FOLDER_PATH=Runner.app/PlugIns export PODS_BUILD_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products export PODS_CONFIGURATION_BUILD_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator export PODS_PODFILE_DIR_PATH=/Users/gregor/StudioProjects/eduard_flutter/ios/. export PODS_ROOT=/Users/gregor/StudioProjects/eduard_flutter/ios/Pods export PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR=YES export PRECOMP_DESTINATION_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/PrefixHeaders export PRESERVE_DEAD_CODE_INITS_AND_TERMS=NO export PREVIEW_DART_2=true export PRIVATE_HEADERS_FOLDER_PATH=Runner.app/PrivateHeaders export PRODUCT_BUNDLE_IDENTIFIER=com.eduard.flutter export PRODUCT_MODULE_NAME=Runner export PRODUCT_NAME=Runner export PRODUCT_SETTINGS_PATH=/Users/gregor/StudioProjects/eduard_flutter/ios/Runner/Info.plist export PRODUCT_TYPE=com.apple.product-type.application export PROFILING_CODE=NO export PROJECT=Runner export PROJECT_DERIVED_FILE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/DerivedSources export PROJECT_DIR=/Users/gregor/StudioProjects/eduard_flutter/ios export PROJECT_FILE_PATH=/Users/gregor/StudioProjects/eduard_flutter/ios/Runner.xcodeproj export PROJECT_NAME=Runner export PROJECT_TEMP_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build export PROJECT_TEMP_ROOT=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex export PUBLIC_HEADERS_FOLDER_PATH=Runner.app/Headers export RECURSIVE_SEARCH_PATHS_FOLLOW_SYMLINKS=YES export REMOVE_CVS_FROM_RESOURCES=YES export REMOVE_GIT_FROM_RESOURCES=YES export REMOVE_HEADERS_FROM_EMBEDDED_BUNDLES=YES export REMOVE_HG_FROM_RESOURCES=YES export REMOVE_SVN_FROM_RESOURCES=YES export REZ_COLLECTOR_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources export REZ_OBJECTS_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Bui 00:35 ld/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources/Objects export REZ_SEARCH_PATHS="/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator " export SCAN_ALL_SOURCE_FILES_FOR_INCLUDES=NO export SCRIPTS_FOLDER_PATH=Runner.app/Scripts export SCRIPT_INPUT_FILE_COUNT=0 export SCRIPT_OUTPUT_FILE_COUNT=0 export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk export SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk export SDK_DIR_iphonesimulator11_3=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk export SDK_NAME=iphonesimulator11.3 export SDK_NAMES=iphonesimulator11.3 export SDK_PRODUCT_BUILD_VERSION=15E217 export SDK_VERSION=11.3 export SDK_VERSION_ACTUAL=110300 export SDK_VERSION_MAJOR=110000 export SDK_VERSION_MINOR=300 export SED=/usr/bin/sed export SEPARATE_STRIP=NO export SEPARATE_SYMBOL_EDIT=NO export SET_DIR_MODE_OWNER_GROUP=YES export SET_FILE_MODE_OWNER_GROUP=NO export SHALLOW_BUNDLE=YES export SHARED_DERIVED_FILE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator/DerivedSources export SHARED_FRAMEWORKS_FOLDER_PATH=Runner.app/SharedFrameworks export SHARED_PRECOMPS_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/PrecompiledHeaders export SHARED_SUPPORT_FOLDER_PATH=Runner.app/SharedSupport export SKIP_INSTALL=NO export SOURCE_ROOT=/Users/gregor/StudioProjects/eduard_flutter/ios export SRCROOT=/Users/gregor/StudioProjects/eduard_flutter/ios export STRINGS_FILE_OUTPUT_ENCODING=binary export STRIP_BITCODE_FROM_COPIED_FILES=NO export STRIP_INSTALLED_PRODUCT=YES export STRIP_STYLE=all export STRIP_SWIFT_SYMBOLS=YES export SUPPORTED_DEVICE_FAMILIES=1,2 export SUPPORTED_PLATFORMS="iphonesimulator iphoneos" export SUPPORTS_TEXT_BASED_API=NO export SWIFT_COMPILATION_MODE=singlefile export SWIFT_OBJC_BRIDGING_HEADER=Runner/Runner-Bridging-Header.h export SWIFT_OPTIMIZATION_LEVEL=-O export SWIFT_PLATFORM_TARGET_PREFIX=ios export SWIFT_SWIFT3_OBJC_INFERENCE=On export SWIFT_VERSION=4.0 export SYMROOT=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products export SYSTEM_ADMIN_APPS_DIR=/Applications/Utilities export SYSTEM_APPS_DIR=/Applications export SYSTEM_CORE_SERVICES_DIR=/System/Library/CoreServices export SYSTEM_DEMOS_DIR=/Applications/Extras export SYSTEM_DEVELOPER_APPS_DIR=/Applications/Xcode.app/Contents/Developer/Applications export SYSTEM_DEVELOPER_BIN_DIR=/Applications/Xcode.app/Contents/Developer/usr/bin export SYSTEM_DEVELOPER_DEMOS_DIR="/Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built Examples" export SYSTEM_DEVELOPER_DIR=/Applications/Xcode.app/Contents/Developer export SYSTEM_DEVELOPER_DOC_DIR="/Applications/Xcode.app/Contents/Developer/ADC Reference Library" export SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR="/Applications/Xcode.app/Contents/Developer/Applications/Graphics Tools" export SYSTEM_DEVELOPER_JAVA_TOOLS_DIR="/Applications/Xcode.app/Contents/Developer/Applications/Java Tools" export SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR="/Applications/Xcode.app/Contents/Developer/Applications/Performance Tools" export SYSTEM_DEVELOPER_RELEASENOTES_DIR="/Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes" export SYSTEM_DEVELOPER_TOOLS=/Applications/Xcode.app/Contents/Developer/Tools export SYSTEM_DEVELOPER_TOOLS_DOC_DIR="/Applications/Xcode.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools" export SYSTEM_DEVELO 00:35 PER_TOOLS_RELEASENOTES_DIR="/Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools" export SYSTEM_DEVELOPER_USR_DIR=/Applications/Xcode.app/Contents/Developer/usr export SYSTEM_DEVELOPER_UTILITIES_DIR=/Applications/Xcode.app/Contents/Developer/Applications/Utilities export SYSTEM_DOCUMENTATION_DIR=/Library/Documentation export SYSTEM_KEXT_INSTALL_PATH=/System/Library/Extensions export SYSTEM_LIBRARY_DIR=/System/Library export TAPI_VERIFY_MODE=ErrorsOnly export TARGETED_DEVICE_FAMILY=1,2 export TARGETNAME=Runner export TARGET_BUILD_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Products/Debug-iphonesimulator export TARGET_DEVICE_IDENTIFIER=8054E70D-CC8D-4A44-8873-B80145AA0726 export TARGET_DEVICE_MODEL=iPad6,8 export TARGET_DEVICE_OS_VERSION=11.3 export TARGET_NAME=Runner export TARGET_TEMP_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build export TEMP_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build export TEMP_FILES_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build export TEMP_FILE_DIR=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build export TEMP_ROOT=/Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex export TOOLCHAINS=com.apple.dt.toolchain.XcodeDefault export TOOLCHAIN_DIR=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain export TREAT_MISSING_BASELINES_AS_TEST_FAILURES=NO export UID=501 export UNLOCALIZED_RESOURCES_FOLDER_PATH=Runner.app export UNSTRIPPED_PRODUCT=NO export USER=gregor export USER_APPS_DIR=/Users/gregor/Applications export USER_LIBRARY_DIR=/Users/gregor/Library export USE_DYNAMIC_NO_PIC=YES export USE_HEADERMAP=YES export USE_HEADER_SYMLINKS=NO export VALIDATE_PRODUCT=NO export VALID_ARCHS="i386 x86_64" export VERBOSE_PBXCP=NO export VERSIONPLIST_PATH=Runner.app/version.plist export VERSION_INFO_BUILDER=gregor export VERSION_INFO_FILE=Runner_vers.c export VERSION_INFO_STRING="\"@(#)PROGRAM:Runner PROJECT:Runner-\"" export WRAPPER_EXTENSION=app export WRAPPER_NAME=Runner.app export WRAPPER_SUFFIX=.app export WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES=NO export XCODE_APP_SUPPORT_DIR=/Applications/Xcode.app/Contents/Developer/Library/Xcode export XCODE_PRODUCT_BUILD_VERSION=9E145 export XCODE_VERSION_ACTUAL=0930 export XCODE_VERSION_MAJOR=0900 export XCODE_VERSION_MINOR=0930 export XPCSERVICES_FOLDER_PATH=Runner.app/XPCServices export YACC=yacc export arch=x86_64 export variant=normal /bin/sh -c /Users/gregor/Library/Developer/Xcode/DerivedData/Runner-dhljdcxmvzohbreswmrefynxhiky/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh "x86_64" is not an allowed value for option "ios-arch". Run 'flutter -h' (or 'flutter &lt;command&gt; -h') for available flutter commands and options. Failed to build /Users/... Command /bin/sh failed with exit code 255 </code></pre></div> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[✓] Flutter (Channel dev, v0.4.2, on Mac OS X 10.13.4 17E199, locale en-DE) • Flutter version 0.4.2 at /Users/gregor/desktop/flutter • Framework revision de332ec782 (11 days ago), 2018-05-07 14:13:53 -0700 • Engine revision e976be13c5 • Dart version 2.0.0-dev.53.0.flutter-e6d7d67f4b [✓] Android toolchain - develop for Android devices (Android SDK 27.0.3) • Android SDK at /Users/gregor/Library/Android/sdk • Android NDK location not configured (optional; useful for native profiling support) • Platform android-27, build-tools 27.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-1024-b01) • All Android licenses accepted. [✓] iOS toolchain - develop for iOS devices (Xcode 9.3) • Xcode at /Applications/Xcode.app/Contents/Developer • Xcode 9.3, Build version 9E145 • ios-deploy 1.9.2 • CocoaPods version 1.5.0 [✓] Android Studio (version 3.1) • Android Studio at /Applications/Android Studio.app/Contents • Flutter plugin version 24.0.1 • Dart plugin version 173.4700 • Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1024-b01) [✓] Connected devices (1 available) • iPhone X • F25C83D2-1B0F-4FF8-91F0-1E265E728884 • ios • iOS 11.3 (simulator) • No issues found!"><pre class="notranslate"><code class="notranslate">[✓] Flutter (Channel dev, v0.4.2, on Mac OS X 10.13.4 17E199, locale en-DE) • Flutter version 0.4.2 at /Users/gregor/desktop/flutter • Framework revision de332ec782 (11 days ago), 2018-05-07 14:13:53 -0700 • Engine revision e976be13c5 • Dart version 2.0.0-dev.53.0.flutter-e6d7d67f4b [✓] Android toolchain - develop for Android devices (Android SDK 27.0.3) • Android SDK at /Users/gregor/Library/Android/sdk • Android NDK location not configured (optional; useful for native profiling support) • Platform android-27, build-tools 27.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-1024-b01) • All Android licenses accepted. [✓] iOS toolchain - develop for iOS devices (Xcode 9.3) • Xcode at /Applications/Xcode.app/Contents/Developer • Xcode 9.3, Build version 9E145 • ios-deploy 1.9.2 • CocoaPods version 1.5.0 [✓] Android Studio (version 3.1) • Android Studio at /Applications/Android Studio.app/Contents • Flutter plugin version 24.0.1 • Dart plugin version 173.4700 • Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1024-b01) [✓] Connected devices (1 available) • iPhone X • F25C83D2-1B0F-4FF8-91F0-1E265E728884 • ios • iOS 11.3 (simulator) • No issues found! </code></pre></div>
<p dir="auto">From important potential customer feedback :)</p> <p dir="auto">Their question, after trying to figure it out: "can’t figure out how to turn off the initial character uppercase on the keyboard on iOS. Kind of a bummer for the login screen"</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: [run &quot;ver&quot; at a command prompt] PowerToys version: PowerToy module for which you are reporting the bug (if applicable):"><pre class="notranslate"><code class="notranslate">Windows build number: [run "ver" at a command prompt] PowerToys version: PowerToy module for which you are reporting the bug (if applicable): </code></pre></div> <p dir="auto">Microsoft Windows [Version 10.0.18363.836]</p> <h1 dir="auto">Steps to reproduce</h1> <p dir="auto">Alt+space and type a file on system</p> <h1 dir="auto">Expected behavior</h1> <p dir="auto">Should search file and display result.</p> <h1 dir="auto">Actual behavior</h1> <p dir="auto">Not searching files, only searching programs</p> <h1 dir="auto">Screenshots</h1> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/9363287/83079199-aaeb5000-a0be-11ea-8355-6dcaf3286ab6.png"><img src="https://user-images.githubusercontent.com/9363287/83079199-aaeb5000-a0be-11ea-8355-6dcaf3286ab6.png" alt="image" style="max-width: 100%;"></a></p>
<h1 dir="auto">Summary of the new feature/enhancement</h1> <p dir="auto">Copy an existing custom fancy zone layout, edit it, and save it as a new layout. I would like NOT to have to create from a blank template just to modify one section. I have 10 zones on a 4k that I just want to edit to make 9 but keep both so I can switch them based on what project I'm working on.</p> <p dir="auto">PS. Love Fancy Zones, greatest enhancement I'm seen in a while. much needed for 4k monitors.</p> <h1 dir="auto">Proposed technical implementation details (optional)</h1>
0
<p dir="auto">Having a portable version of terminal makes it easy to copy paste on machines some times on servers. Having to install from store is not convenient.</p>
<h1 dir="auto">Environment</h1> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Windows build number: 10.0.18362.0 Windows Terminal version (if applicable): 0.5.2681.0 Visual Studio Code version: 1.38.1"><pre lang="none" class="notranslate"><code class="notranslate">Windows build number: 10.0.18362.0 Windows Terminal version (if applicable): 0.5.2681.0 Visual Studio Code version: 1.38.1 </code></pre></div> <h1 dir="auto">Steps to reproduce</h1> <ul dir="auto"> <li>Click on Settings from the menu (Ctrl+)</li> <li>For me this opens in Visual Studio Code</li> <li>Under existing profiles, add <code class="notranslate">"colorScheme": "&lt;any_color_scheme&gt;"</code></li> <li>Save json file</li> </ul> <h1 dir="auto">Expected behavior</h1> <ul dir="auto"> <li>Changes colors to the scheme selected upon save of the json file</li> <li>Changing the <code class="notranslate">fontFace</code> &amp; <code class="notranslate">fontSize</code> DOES change as expected (so it's somewhat working)</li> </ul> <h1 dir="auto">Actual behavior</h1> <ul dir="auto"> <li>Observe no change in the colors</li> <li>Restarted app after change, still no change in colors</li> </ul> <h2 dir="auto">Other notes</h2> <p dir="auto">I've reviewed <a href="https://github.com/microsoft/terminal/blob/master/doc/user-docs/UsingJsonSettings.md">these docs</a> and it seems pretty straight forward. I didn't see an issue stating that <code class="notranslate">colorSchemes</code> aren't working yet, but maybe I missed something.</p> <p dir="auto">I tried changing the profiles to one of the default included themes, and tried to add my own theme. Neither seemed to have any effect on the app colors when saved. Below is a current copy of my <code class="notranslate">profiles.json</code> file.</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="// To view the default settings, hold &quot;alt&quot; while clicking on the &quot;Settings&quot; button. // For documentation on these settings, see: https://aka.ms/terminal-documentation { &quot;$schema&quot;: &quot;https://aka.ms/terminal-profiles-schema&quot;, &quot;defaultProfile&quot;: &quot;{61c54bbd-c2c6-5271-96e7-009a87ff44bf}&quot;, &quot;profiles&quot;: [{ // Make changes here to the powershell.exe profile &quot;guid&quot;: &quot;{61c54bbd-c2c6-5271-96e7-009a87ff44bf}&quot;, &quot;name&quot;: &quot;Windows PowerShell&quot;, &quot;commandline&quot;: &quot;powershell.exe&quot;, &quot;hidden&quot;: false, &quot;colorScheme&quot;: &quot;Afterglow&quot;, &quot;fontFace&quot;: &quot;Fire Code&quot;, &quot;fontSize&quot;: 9 }, { // Make changes here to the cmd.exe profile &quot;guid&quot;: &quot;{0caa0dad-35be-5f56-a8ff-afceeeaa6101}&quot;, &quot;name&quot;: &quot;cmd&quot;, &quot;commandline&quot;: &quot;cmd.exe&quot;, &quot;hidden&quot;: false, &quot;colorScheme&quot;: &quot;Afterglow&quot; }, { &quot;guid&quot;: &quot;{b453ae62-4e3d-5e58-b989-0a998ec441b8}&quot;, &quot;hidden&quot;: false, &quot;name&quot;: &quot;Azure Cloud Shell&quot;, &quot;source&quot;: &quot;Windows.Terminal.Azure&quot;, &quot;colorScheme&quot;: &quot;Afterglow&quot; } ], // Add custom color schemes to this array &quot;schemes&quot;: [{ &quot;name&quot;: &quot;Afterglow&quot;, &quot;black&quot;: &quot;#151515&quot;, &quot;red&quot;: &quot;#ac4142&quot;, &quot;green&quot;: &quot;#7e8e50&quot;, &quot;yellow&quot;: &quot;#e5b567&quot;, &quot;blue&quot;: &quot;#6c99bb&quot;, &quot;purple&quot;: &quot;#9f4e85&quot;, &quot;cyan&quot;: &quot;#7dd6cf&quot;, &quot;white&quot;: &quot;#d0d0d0&quot;, &quot;brightBlack&quot;: &quot;#505050&quot;, &quot;brightRed&quot;: &quot;#ac4142&quot;, &quot;brightGreen&quot;: &quot;#7e8e50&quot;, &quot;brightYellow&quot;: &quot;#e5b567&quot;, &quot;brightBlue&quot;: &quot;#6c99bb&quot;, &quot;brightPurple&quot;: &quot;#9f4e85&quot;, &quot;brightCyan&quot;: &quot;#7dd6cf&quot;, &quot;brightWhite&quot;: &quot;#f5f5f5&quot;, &quot;background&quot;: &quot;#212121&quot;, &quot;foreground&quot;: &quot;#d0d0d0&quot; }], // Add any keybinding overrides to this array. // To unbind a default keybinding, set the command to &quot;unbound&quot; &quot;keybindings&quot;: [] }"><pre class="notranslate"><code class="notranslate">// To view the default settings, hold "alt" while clicking on the "Settings" button. // For documentation on these settings, see: https://aka.ms/terminal-documentation { "$schema": "https://aka.ms/terminal-profiles-schema", "defaultProfile": "{61c54bbd-c2c6-5271-96e7-009a87ff44bf}", "profiles": [{ // Make changes here to the powershell.exe profile "guid": "{61c54bbd-c2c6-5271-96e7-009a87ff44bf}", "name": "Windows PowerShell", "commandline": "powershell.exe", "hidden": false, "colorScheme": "Afterglow", "fontFace": "Fire Code", "fontSize": 9 }, { // Make changes here to the cmd.exe profile "guid": "{0caa0dad-35be-5f56-a8ff-afceeeaa6101}", "name": "cmd", "commandline": "cmd.exe", "hidden": false, "colorScheme": "Afterglow" }, { "guid": "{b453ae62-4e3d-5e58-b989-0a998ec441b8}", "hidden": false, "name": "Azure Cloud Shell", "source": "Windows.Terminal.Azure", "colorScheme": "Afterglow" } ], // Add custom color schemes to this array "schemes": [{ "name": "Afterglow", "black": "#151515", "red": "#ac4142", "green": "#7e8e50", "yellow": "#e5b567", "blue": "#6c99bb", "purple": "#9f4e85", "cyan": "#7dd6cf", "white": "#d0d0d0", "brightBlack": "#505050", "brightRed": "#ac4142", "brightGreen": "#7e8e50", "brightYellow": "#e5b567", "brightBlue": "#6c99bb", "brightPurple": "#9f4e85", "brightCyan": "#7dd6cf", "brightWhite": "#f5f5f5", "background": "#212121", "foreground": "#d0d0d0" }], // Add any keybinding overrides to this array. // To unbind a default keybinding, set the command to "unbound" "keybindings": [] } </code></pre></div>
0
<h5 dir="auto">Issue Type:</h5> <ul dir="auto"> <li>Bug Report</li> </ul> <h5 dir="auto">Ansible Version:</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="ansible 2.0.0 (devel 2761df232e) last updated 2015/09/01 15:04:26 (GMT -400) lib/ansible/modules/core: (detached HEAD bbcfb1092a) last updated 2015/09/01 15:04:54 (GMT -400) lib/ansible/modules/extras: (detached HEAD b8803306d1) last updated 2015/09/01 15:04:37 (GMT -400) config file = configured module search path = None"><pre class="notranslate"><code class="notranslate">ansible 2.0.0 (devel 2761df232e) last updated 2015/09/01 15:04:26 (GMT -400) lib/ansible/modules/core: (detached HEAD bbcfb1092a) last updated 2015/09/01 15:04:54 (GMT -400) lib/ansible/modules/extras: (detached HEAD b8803306d1) last updated 2015/09/01 15:04:37 (GMT -400) config file = configured module search path = None </code></pre></div> <h5 dir="auto">Ansible Configuration:</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="No config file found; using defaults"><pre class="notranslate"><code class="notranslate">No config file found; using defaults </code></pre></div> <h5 dir="auto">Environment:</h5> <p dir="auto">N/A but running on Mac OS X</p> <h5 dir="auto">Summary:</h5> <p dir="auto">I get <code class="notranslate">ERROR! template error while templating string: unexpected '|'</code> when trying to use a jinja2 filter.</p> <h5 dir="auto">Steps To Reproduce:</h5> <p dir="auto"><code class="notranslate">roles/test/tasks/main.yml</code>:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" --- - debug: msg='{{ foo | default(&quot;baz&quot;) }}'"><pre class="notranslate"><code class="notranslate"> --- - debug: msg='{{ foo | default("baz") }}' </code></pre></div> <h5 dir="auto">Expected Results:</h5> <p dir="auto">Successful playbook execution, in this case just printing "baz"</p> <h5 dir="auto">Actual Results:</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="ansible-playbook --vault-password-file=~/.ansible_vault_password \ playbook-test.yml --limit=localhost -vvvv No config file found; using defaults 1 plays in playbook-test.yml Loaded callback default of type stdout, v2.0 PLAY *************************************************************************** TASK [setup] ******************************************************************* Module: setup, args: {} ESTABLISH LOCAL CONNECTION FOR USER: bam localhost EXEC (umask 22 &amp;&amp; mkdir -p &quot;$HOME/.ansible/tmp/ansible-tmp-1441134514.32-237346662021616&quot; &amp;&amp; echo &quot;$HOME/.ansible/tmp/ansible-tmp-1441134514.32-237346662021616&quot;) localhost PUT /var/folders/n7/wrg1c7615892m2qgyv8r_yg00000gn/T/tmpYZmtsC TO /Users/bam/.ansible/tmp/ansible-tmp-1441134514.32-237346662021616/setup localhost EXEC LANG=en_US.UTF-8 LC_MESSAGES=en_US.UTF-8 LC_CTYPE=en_US.UTF-8 /usr/bin/python /Users/bam/.ansible/tmp/ansible-tmp-1441134514.32-237346662021616/setup; rm -rf &quot;/Users/bam/.ansible/tmp/ansible-tmp-1441134514.32-237346662021616/&quot; &gt; /dev/null 2&gt;&amp;1 ok: [localhost] ERROR! template error while templating string: unexpected '|' make: *** [test] Error 1"><pre class="notranslate"><code class="notranslate">ansible-playbook --vault-password-file=~/.ansible_vault_password \ playbook-test.yml --limit=localhost -vvvv No config file found; using defaults 1 plays in playbook-test.yml Loaded callback default of type stdout, v2.0 PLAY *************************************************************************** TASK [setup] ******************************************************************* Module: setup, args: {} ESTABLISH LOCAL CONNECTION FOR USER: bam localhost EXEC (umask 22 &amp;&amp; mkdir -p "$HOME/.ansible/tmp/ansible-tmp-1441134514.32-237346662021616" &amp;&amp; echo "$HOME/.ansible/tmp/ansible-tmp-1441134514.32-237346662021616") localhost PUT /var/folders/n7/wrg1c7615892m2qgyv8r_yg00000gn/T/tmpYZmtsC TO /Users/bam/.ansible/tmp/ansible-tmp-1441134514.32-237346662021616/setup localhost EXEC LANG=en_US.UTF-8 LC_MESSAGES=en_US.UTF-8 LC_CTYPE=en_US.UTF-8 /usr/bin/python /Users/bam/.ansible/tmp/ansible-tmp-1441134514.32-237346662021616/setup; rm -rf "/Users/bam/.ansible/tmp/ansible-tmp-1441134514.32-237346662021616/" &gt; /dev/null 2&gt;&amp;1 ok: [localhost] ERROR! template error while templating string: unexpected '|' make: *** [test] Error 1 </code></pre></div>
<p dir="auto">(Feature Idea)</p> <p dir="auto">The natural way to handle configuration or other updates that require a rolling restart would be to perform updates in parallel, then notify a handler, which performs a restart with <code class="notranslate">serial</code>. But this is not possible, requiring either manual rolling restart or ugly hacks. See <a href="https://groups.google.com/forum/#!topic/ansible-project/rBcWzXjt-Xc" rel="nofollow">https://groups.google.com/forum/#!topic/ansible-project/rBcWzXjt-Xc</a></p>
0
<p dir="auto">$ script/build<br> npm WARN <code class="notranslate">git config --get remote.origin.url</code> returned wrong result (git://github.com/atom/grunt-coffeelint.git)<br> gypnpm WARN <code class="notranslate">git config --get remote.origin.url</code> returned wrong result (git://github.com/michaelficarra/cscodegen.git)</p> <p dir="auto">gypnpm ERR! runas@0.5.4 install: <code class="notranslate">node-gyp rebuild</code><br> npm ERR! Exit status 1<br> npm ERR!<br> npm ERR! Failed at the runas@0.5.4 install script.<br> npm ERR! This is most likely a problem with the runas package,<br> npm ERR! not with npm itself.<br> npm ERR! Tell the author that this fails on your system:<br> npm ERR! node-gyp rebuild<br> npm ERR! You can get their info via:<br> npm ERR! npm owner ls runas<br> npm ERR! There is likely additional logging output above.<br> npm ERR! System Windows_NT 6.1.7601<br> npm ERR! command "c:\Program Files\nodejs\node.exe" "c:\Program Files\nodejs\node_modules\npm\bin\npm-cli.js" "--userconf<br> nstall" "--quiet"<br> npm ERR! cwd c:\atom\build<br> npm ERR! node -v v0.10.26<br> npm ERR! npm -v 1.4.3<br> npm ERR! code ELIFECYCLE</p>
<p dir="auto">Hey,</p> <p dir="auto">after I've seen the new build instructions I tried the build again. But it didn't works now I get the following error:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="C:\Users\Jan\Documents\GitHub&gt; cd C:\Users\Jan\github\atom C:\Users\Jan\github\atom [master]&gt; script\build gypnpm ERR! runas@0.5.4 install: `node-gyp rebuild` npm ERR! Exit status 1 npm ERR! npm ERR! Failed at the runas@0.5.4 install script. npm ERR! This is most likely a problem with the runas package, npm ERR! not with npm itself. npm ERR! Tell the author that this fails on your system: npm ERR! node-gyp rebuild npm ERR! You can get their info via: npm ERR! npm owner ls runas npm ERR! There is likely additional logging output above. npm ERR! System Windows_NT 6.2.9200 npm ERR! command &quot;C:\\Program Files\\nodejs\\\\node.exe&quot; &quot;C:\\Program Files\\nodejs\\node_modules\\npm\\bin\\npm-cli.js&quot; &quot;--userconfig=C:\\Users\\Jan\\github\\atom\\.npmrc&quot; &quot;install&quot; &quot;--quiet&quot; npm ERR! cwd C:\Users\Jan\github\atom\build npm ERR! node -v v0.10.28 npm ERR! npm -v 1.4.9 npm ERR! code ELIFECYCLE gypnpmC:\Users\Jan\github\atom [master]&gt;"><pre class="notranslate"><code class="notranslate">C:\Users\Jan\Documents\GitHub&gt; cd C:\Users\Jan\github\atom C:\Users\Jan\github\atom [master]&gt; script\build gypnpm ERR! runas@0.5.4 install: `node-gyp rebuild` npm ERR! Exit status 1 npm ERR! npm ERR! Failed at the runas@0.5.4 install script. npm ERR! This is most likely a problem with the runas package, npm ERR! not with npm itself. npm ERR! Tell the author that this fails on your system: npm ERR! node-gyp rebuild npm ERR! You can get their info via: npm ERR! npm owner ls runas npm ERR! There is likely additional logging output above. npm ERR! System Windows_NT 6.2.9200 npm ERR! command "C:\\Program Files\\nodejs\\\\node.exe" "C:\\Program Files\\nodejs\\node_modules\\npm\\bin\\npm-cli.js" "--userconfig=C:\\Users\\Jan\\github\\atom\\.npmrc" "install" "--quiet" npm ERR! cwd C:\Users\Jan\github\atom\build npm ERR! node -v v0.10.28 npm ERR! npm -v 1.4.9 npm ERR! code ELIFECYCLE gypnpmC:\Users\Jan\github\atom [master]&gt; </code></pre></div> <p dir="auto">What I can do? I followed all new build instructs!</p> <p dir="auto">Regards,<br> Jan</p>
1
<h2 dir="auto">Release 5.1.1</h2> <p dir="auto">Hi community,</p> <p dir="auto">After the release of 5.1.0 version, we have received a lot of feedback<br> from users and developers. Now we plan to release the ShardingSphere 5.1.1<br> version this week, which has made a lot of optimization and improvement for<br> these feedback.</p> <p dir="auto">Please refer to this release notes to confirm whether it contains the<br> features you expect. If I miss anything, please remind me ASAP. If there<br> are any suggestions, please feel free to tell us.</p> <p dir="auto">Mail: <a href="https://lists.apache.org/thread/o9ys6db6mdnwlx0osd4nflw1rwbb3086" rel="nofollow">https://lists.apache.org/thread/o9ys6db6mdnwlx0osd4nflw1rwbb3086</a></p> <h2 dir="auto">Release Notes</h2> <h3 dir="auto">New Feature</h3> <ol dir="auto"> <li>Kernel: support alter materialized view for PostgreSQL</li> <li>Kernel: support declare for PostgreSQL</li> <li>Kernel: support discard for PostgreSQL</li> <li>Kernel: Add mode to parser to support $$ in PostgreSQL</li> <li>Kernel: Support MySQL create tablespace statement parse</li> <li>Scaling: Implement stop source writing and restore source writing</li> <li>Scaling: Support partial tables scale-out</li> <li>DistSQL: New DistSQL syntax: <code class="notranslate">SHOW UNUSED RESOURCES</code></li> <li>Mode: Added persistent <code class="notranslate">XA Recovery Id</code> to Governance Center</li> <li>Mode: Database discovery adds delayed master-slave delay function</li> <li>Distributed Transaction: Add savepoint support for ShardingSphere proxy</li> <li>Distributed Transaction: Support auto rollback when report exception in transaction block for PostgreSQL and openGauss</li> <li>Distributed Transaction: Make it is easy to use with Narayana</li> <li>Distributed Transaction: Add savepoint support for ShardingSphere-JDBC</li> </ol> <h3 dir="auto">Enhancement</h3> <ol dir="auto"> <li>Kernel: Refactor kernel to improve performance</li> <li>Proxy: Reduce Docker image size of ShardingSphere-Proxy</li> <li>Proxy: ShardingSphere-Proxy supports set names statements</li> <li>Proxy: ShardingSphere-Proxy MySQL supports multi statements</li> <li>Scaling: Only one proxy node could do data consistency check in proxy cluster</li> <li>Scaling: Replace scaling input and output config fields type from int to Integer</li> <li>Scaling: Update MySQL checksum SQL</li> <li>Scaling: Improve scaling job progress deletion in reset and progress check before starting job</li> <li>Scaling: Improve <code class="notranslate">FinishCheckJob</code> data consistency check when target tables already have the same data as source tables</li> <li>Scaling: Break scaling job ASAP when there is unsupported table since primary key</li> <li>Scaling: Reuse <code class="notranslate">ClusterPersistRepository</code> of proxy in <code class="notranslate">PipelineAPIFactory</code></li> <li>Scaling: Update jobId generation algorithm, and make it support idempotency</li> <li>DistSQL: Support configuration data type and length when CREATE/ALTER ENCRYPT RULE</li> <li>DistSQL: Unify the display results of <code class="notranslate">SHOW ALL VARIABLES</code> and <code class="notranslate">SHOW VARIABLE</code></li> <li>DistSQL: Remove the effect of binding order when <code class="notranslate">DROP BINDING TABLE RULES</code></li> <li>DistSQL: Add column <code class="notranslate">mode_type</code> in the result of <code class="notranslate">SHOW INSTANCE LIST</code></li> <li>DistSQL: Add validation to the mode when <code class="notranslate">ENABLE/DISABLE INSTANCE</code></li> <li>DistSQL: Check if the rule is in used when <code class="notranslate">DROP READWRITE_SPLITTING RULE</code></li> <li>DistSQL: Check duplicate resource names when <code class="notranslate">CREATE READWRITE_SPLITTING RULE</code></li> <li>DistSQL: Add column <code class="notranslate">delay_time</code> to the result of <code class="notranslate">SHOW READWRITE_SPLITTING READ RESOURCES</code></li> <li>DistSQL: Support <code class="notranslate">IF EXISTS</code> when <code class="notranslate">DROP RULE</code></li> <li>DistSQL: Optimize the prompt information of connection failure when <code class="notranslate">ADD/ALTER RESOURCE</code></li> <li>Mode: Add schema-level global distributed locks</li> <li>Mode: Add schema version number to support batch execution of DistSQL</li> <li>Mode: Persistent metadata optimization in cluster mode</li> <li>Mode: The database discovery add the <code class="notranslate">schemaName</code> identifier when create a JOB</li> </ol> <h3 dir="auto">Refactor</h3> <ol dir="auto"> <li>Kernel: Refactor test case for encrypt</li> <li>Kernel: Refactor metadata to support PostgreSQL database and schema</li> <li>Scaling: Remove HikariCP dependency in pipeline modules</li> <li>Mode: Refactor governance center storage node structure</li> <li>Mode: Refactor governance center meta data structure</li> <li>Mode: Adjust the database discovery MGR module to MySQL module</li> </ol> <h3 dir="auto">Bug Fix</h3> <ol dir="auto"> <li>Kernel: Fix function with no parameter</li> <li>Kernel: Fix <code class="notranslate">InsertValueContext.getValue</code> cast exception</li> <li>Kernel: Fix aggregate distinct column error</li> <li>Kernel: Fix NPE when rewrite parameter with schema</li> <li>Kernel: Fix NPE caused by <code class="notranslate">GeneratedKeysResultSet</code> not return <code class="notranslate">columnName</code> in read-write splitting</li> <li>Kernel: Fix show tables statement loses part of the single table</li> <li>Kernel: Fix ModShardingAlgorithm wrong route result when exist same suffix table</li> <li>Kernel: Fix sql parse error when contains key in assignment clause and optimize index parse</li> <li>Kernel: Fix NumberFormatException when sharding algorithm config number props</li> <li>Kernel: Fix wrong metadata when config single dataSource for read-write splitting</li> <li>Kernel: Fix statement close exception when use <code class="notranslate">BatchPreparedStatementExecutor</code></li> <li>Kernel: Fix rewrite lowercase logic when sql contains shorthand projection</li> <li>Kernel: Fix NullPointerException when start up proxy with memory mode</li> <li>Proxy: Fix literals may be replaced by mistake in PostgreSQL/openGauss protocol</li> <li>Proxy: Fix ShardingSphere-Proxy PostgreSQL with multi-schema cannot be connected by PostgreSQL JDBC Driver 42.3.x</li> <li>Proxy: Fix timestamp nanos inaccurate in ShardingSphere-Proxy MySQL</li> <li>Proxy: Complete ShardingSphere-Proxy PostgreSQL codec for numeric in binary format</li> <li>Proxy: Potential performance issue and risk of OOM in ShardingSphere-JDBC</li> <li>Proxy: Fix Operation not allowed after ResultSet closed occasionally happens in ShardingSphere-Proxy MySQL</li> <li>Proxy: Fix NPE causes by ShardingSphere-JDBC executeBatch without addBatch</li> <li>Scaling: Fix failed or stopped job could not be started by DistSQL except restarting proxy</li> <li>DistSQL: Fix parsing exception for inline expression when <code class="notranslate">CREATE SHARDING TABLE RULE</code></li> <li>DistSQL: Fix parsing exception when password is keyword <code class="notranslate">password</code> in <code class="notranslate">ADD RESOURCE</code> statement</li> <li>Mode: Fixed loss of compute nodes due to ZooKeeper session timeout</li> <li>Mode: Fixed the case of the table name in the governance center</li> <li>Mode: DistSQL enable disable instance refresh in-memory compute node status</li> <li>Mode: Fixed database discovery unable to create Rule through DistSQL</li> </ol>
<h2 dir="auto">Bug Report</h2> <p dir="auto">[ERROR] 2021-07-05 15:43:33.881 [ShardingSphere-Scaling-execute-5] o.a.s.s.c.e.i.AbstractImporter - flush failed 0/3 times<br> .<br> java.sql.BatchUpdateException: 2Unknown exception: [INSERT INTO .... ON DUPLICATE KEY UPDATE can not support update for sh<br> arding column.]<br> at sun.reflect.NativeConstructorAccessorImpl.newInstance0(Native Method)<br> at sun.reflect.NativeConstructorAccessorImpl.newInstance(NativeConstructorAccessorImpl.java:62)<br> at sun.reflect.DelegatingConstructorAccessorImpl.newInstance(DelegatingConstructorAccessorImpl.java:45)<br> at java.lang.reflect.Constructor.newInstance(Constructor.java:423)<br> at com.mysql.jdbc.Util.handleNewInstance(Util.java:425)<br> at com.mysql.jdbc.Util.getInstance(Util.java:408)<br> at com.mysql.jdbc.SQLError.createBatchUpdateException(SQLError.java:1163)<br> at com.mysql.jdbc.PreparedStatement.executeBatchedInserts(PreparedStatement.java:1632)<br> at com.mysql.jdbc.PreparedStatement.executeBatchInternal(PreparedStatement.java:1298)<br> at com.mysql.jdbc.StatementImpl.executeBatch(StatementImpl.java:970)<br> at com.zaxxer.hikari.pool.ProxyStatement.executeBatch(ProxyStatement.java:128)<br> at com.zaxxer.hikari.pool.HikariProxyPreparedStatement.executeBatch(HikariProxyPreparedStatement.java)<br> at org.apache.shardingsphere.scaling.core.executor.importer.AbstractImporter.executeBatchInsert(AbstractImporter.j<br> ava:167)<br> at org.apache.shardingsphere.scaling.core.executor.importer.AbstractImporter.doFlush(AbstractImporter.java:142)<br> at org.apache.shardingsphere.scaling.core.executor.importer.AbstractImporter.tryFlush(AbstractImporter.java:127)<br> at org.apache.shardingsphere.scaling.core.executor.importer.AbstractImporter.flushInternal(AbstractImporter.java:1<br> 18)<br> at org.apache.shardingsphere.scaling.core.executor.importer.AbstractImporter.lambda$flush$2(AbstractImporter.java:<br> 109)<br> at java.util.ArrayList.forEach(ArrayList.java:1259)<br> at org.apache.shardingsphere.scaling.core.executor.importer.AbstractImporter.flush(AbstractImporter.java:104)<br> at org.apache.shardingsphere.scaling.core.executor.importer.AbstractImporter.write(AbstractImporter.java:89)<br> at org.apache.shardingsphere.scaling.core.executor.importer.AbstractImporter.start(AbstractImporter.java:81)<br> at org.apache.shardingsphere.scaling.core.executor.AbstractScalingExecutor.run(AbstractScalingExecutor.java:47)<br> at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:511)<br> at com.google.common.util.concurrent.TrustedListenableFutureTask$TrustedFutureInterruptibleTask.runInterruptibly(T<br> rustedListenableFutureTask.java:125)<br> at com.google.common.util.concurrent.InterruptibleTask.run(InterruptibleTask.java:69)<br> at com.google.common.util.concurrent.TrustedListenableFutureTask.run(TrustedListenableFutureTask.java:78)<br> at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149)<br> at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624)<br> at java.lang.Thread.run(Thread.java:748)<br> Caused by: java.sql.SQLException: 2Unknown exception: [INSERT INTO .... ON DUPLICATE KEY UPDATE can not support update for<br> sharding column.]<br> at com.mysql.jdbc.SQLError.createSQLException(SQLError.java:965)<br> at com.mysql.jdbc.MysqlIO.checkErrorPacket(MysqlIO.java:3978)<br> at com.mysql.jdbc.MysqlIO.checkErrorPacket(MysqlIO.java:3914)<br> at com.mysql.jdbc.MysqlIO.sendCommand(MysqlIO.java:2530)<br> at com.mysql.jdbc.MysqlIO.sqlQueryDirect(MysqlIO.java:2683)<br> at com.mysql.jdbc.ConnectionImpl.execSQL(ConnectionImpl.java:2495)<br> at com.mysql.jdbc.PreparedStatement.executeInternal(PreparedStatement.java:1903)<br> at com.mysql.jdbc.PreparedStatement.executeUpdateInternal(PreparedStatement.java:2124)<br> at com.mysql.jdbc.PreparedStatement.executeUpdateInternal(PreparedStatement.java:2058)<br> at com.mysql.jdbc.PreparedStatement.executeLargeUpdate(PreparedStatement.java:5158)<br> at com.mysql.jdbc.PreparedStatement.executeBatchedInserts(PreparedStatement.java:1593)<br> ... 21 common frames omitted</p> <h3 dir="auto">Which version of ShardingSphere did you use?</h3> <p dir="auto">apache-shardingsphere-5.0.0-beta-shardingsphere-scaling-bin.tar.gz</p> <h3 dir="auto">Which project did you use? ShardingSphere-JDBC or ShardingSphere-Proxy?</h3> <p dir="auto">I use scaling5.0 migration data to ShardingSphere-Proxy4.1.0</p> <h3 dir="auto">Expected behavior</h3> <h3 dir="auto">Actual behavior</h3> <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>
0
<p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/numpy/ticket/494" rel="nofollow">http://projects.scipy.org/numpy/ticket/494</a> on 2007-04-05 by <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/davidsocha/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/davidsocha">@davidsocha</a>, assigned to unknown.</em></p> <p dir="auto">Here is an example:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="C:\Documents and Settings\socha&gt;python Python 2.4.3 - Enthought Edition 1.0.0 (#69, Aug 2 2006, 12:09:59) [MSC v.1310 32 bit (Intel)] on win32 Type &quot;help&quot;, &quot;copyright&quot;, &quot;credits&quot; or &quot;license&quot; for more information. &gt;&gt;&gt; import numpy &gt;&gt;&gt; numpy.__version__ '1.0.2' &gt;&gt;&gt; from numpy import array &gt;&gt;&gt; f = array([1,2,3], dtype='float96') &gt;&gt;&gt; f array([0.0, 0.0, -2.0], dtype=float96) &lt;== float96 prints incorrectly &gt;&gt;&gt; f.astype('float32') array([ 1., 2., 3.], dtype=float32) &lt;== Yet data seems intact &gt;&gt;&gt; f.sum() -2.0 &lt;== prints incorrectly &gt;&gt;&gt; f.sum().astype('float32') 6.0 &lt;== prints correctly if force to float32 &gt;&gt;&gt;"><pre class="notranslate"><code class="notranslate">C:\Documents and Settings\socha&gt;python Python 2.4.3 - Enthought Edition 1.0.0 (#69, Aug 2 2006, 12:09:59) [MSC v.1310 32 bit (Intel)] on win32 Type "help", "copyright", "credits" or "license" for more information. &gt;&gt;&gt; import numpy &gt;&gt;&gt; numpy.__version__ '1.0.2' &gt;&gt;&gt; from numpy import array &gt;&gt;&gt; f = array([1,2,3], dtype='float96') &gt;&gt;&gt; f array([0.0, 0.0, -2.0], dtype=float96) &lt;== float96 prints incorrectly &gt;&gt;&gt; f.astype('float32') array([ 1., 2., 3.], dtype=float32) &lt;== Yet data seems intact &gt;&gt;&gt; f.sum() -2.0 &lt;== prints incorrectly &gt;&gt;&gt; f.sum().astype('float32') 6.0 &lt;== prints correctly if force to float32 &gt;&gt;&gt; </code></pre></div> <p dir="auto">We have the same symptoms with float128 (on a Mac with an Intel 2GHz Core Duo).</p> <ul dir="auto"> <li>David Socha &amp; Daniel Terhorst, UrbanSim Project, <a href="http://www.urbansim.org" rel="nofollow">http://www.urbansim.org</a></li> </ul>
<p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/numpy/ticket/1531" rel="nofollow">http://projects.scipy.org/numpy/ticket/1531</a> on 2010-06-30 by trac user valhallasw, assigned to unknown.</em></p> <p dir="auto"><a href="http://docs.scipy.org/doc/numpy/reference/routines.fft.html" rel="nofollow">http://docs.scipy.org/doc/numpy/reference/routines.fft.html</a> reads:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="If A = fft(a, n), then A[0] contains the zero-frequency term (the mean of the signal), which is always purely real for real inputs."><pre class="notranslate"><code class="notranslate">If A = fft(a, n), then A[0] contains the zero-frequency term (the mean of the signal), which is always purely real for real inputs. </code></pre></div> <p dir="auto">This is, however, incorrect. A[0] contains the zero-frequency term <em>multiplied by the number of data points</em>.</p> <p dir="auto">The same error is in more docs, for example <a href="http://docs.scipy.org/doc/numpy/reference/generated/numpy.fft.rfft.html#numpy.fft.rfft" rel="nofollow">http://docs.scipy.org/doc/numpy/reference/generated/numpy.fft.rfft.html#numpy.fft.rfft</a>.</p>
0
<p dir="auto">The documentation explains how to use a specific file or directory of certificates to trust, but I cannot find how to make it simply trust the system set (for the current system). With older versions of requests this was the default, which made it rather easy to install some extra intranet root certs on all sorts of different machines (different Linux flavours, OSX, possibly even Windows) and have the intranet certs be trusted by everything from browsers to requests-based programs. It is unclear how to get this behaviour with the current version of requests and certifi.</p>
<p dir="auto">Hosts which have the same cookie define for multiple domains should not raise<br> "CookieConflictError: There are multiple cookies with name," when performing "in"<br> It should short cut and return True immediately when found.</p>
0
<p dir="auto"><strong>Context:</strong></p> <ul dir="auto"> <li>Playwright Version: 1.20.0</li> <li>Operating System: Mac 11.6.2</li> <li>Node.js version: 14.18.1</li> <li>Browser: Chromium</li> </ul> <p dir="auto"><strong>Describe the bug</strong></p> <p dir="auto">Playwright Inspector crashes after a minute or two of running without any errors in the console.</p>
<p dir="auto"><strong>Context:</strong></p> <ul dir="auto"> <li>Playwright Version: 1.20.0</li> <li>Operating System: Macos 11.6.5</li> <li>Python version: Python 3.10.2</li> <li>Browser: Chromium</li> </ul> <p dir="auto"><strong>Code Snippet</strong></p> <p dir="auto">The easiest way to replicate this issue is to just add a breakpoint in the following snippet after launching the browser, e.g. line 5, and then initialize the debugger and wait for it to reach the breakpoint. Then just wait and Chromium will suddenly close all on its own within a minute or two.</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="with sync_playwright() as p: browser = p.chromium.launch(headless=False) page = browser.new_page() page.goto(&quot;http://playwright.dev/&quot;) print(page.title()) browser.close()"><pre class="notranslate"><code class="notranslate">with sync_playwright() as p: browser = p.chromium.launch(headless=False) page = browser.new_page() page.goto("http://playwright.dev/") print(page.title()) browser.close() </code></pre></div> <p dir="auto"><strong>Describe the bug</strong></p> <p dir="auto">This issue began to occur after upgrading playwright to version 1.20.0 on my local machine. We have ~30 playwright tests that get parameterized to run in both Firefox and Chromium and I validated that everything was working by running the full test suite inside an Ubuntu Focal Docker container. So far, so good. The issue started to occur when I was helping a colleague debug an issue in headed mode and my chromium browser kept quitting in the middle of the debug session. The Playwright process continued running.</p> <p dir="auto">Then I tried running our full test suite locally in MacOS and after about 15-17 tests, all of the remaining chromium tests would instantly fail with an error indicating the page was already closed. This is extremely consistent and persisted through reboots and rebuilding my venv (I had been testing a pytest-parallel plugin and wanted to make sure it wasn't interfering) and only stops occurring when I downgrade playwright to 1.18.2 which is the last stable version we were using. I've included the traceback from the first chromium test that fails during each session. Seems to be some kind of memory error.</p> <p dir="auto"><strong>TLDR</strong></p> <ul dir="auto"> <li>Playwright 1.20.0 Chromium appears to crash after running for a minute or two on MacOS</li> <li>Firefox does not exhibit this issue (I haven't tested webkit)</li> <li>This issue does not occur in Linux (haven't tested windows)</li> <li>This is a regression since 1.18.2 which was the last version I tested (we skipped over 1.19.x)</li> </ul> <p dir="auto"><strong>Traceback</strong></p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="self = &lt;playwright._impl._connection.Channel object at 0x1089be530&gt; method = 'click', params = {'selector': 'a[href=&quot;/app/edit-recruiter-profile&quot;]'} return_as_dict = False async def inner_send( self, method: str, params: Optional[Dict], return_as_dict: bool ) -&gt; Any: if params is None: params = {} callback = self._connection._send_message_to_server(self._guid, method, params) if self._connection._error: error = self._connection._error self._connection._error = None raise error done, _ = await asyncio.wait( { self._connection._transport.on_error_future, callback.future, }, return_when=asyncio.FIRST_COMPLETED, ) if not callback.future.done(): callback.future.cancel() &gt; result = next(iter(done)).result() E playwright._impl._api_types.Error: Browser closed. E ==================== Browser output: ==================== E &lt;launching&gt; /Users/silasj/Library/Caches/ms-playwright/chromium-978106/chrome-mac/Chromium.app/Contents/MacOS/Chromium --disable-background-networking --enable-features=NetworkService,NetworkServiceInProcess --disable-background-timer-throttling --disable-backgrounding-occluded-windows --disable-breakpad --disable-client-side-phishing-detection --disable-component-extensions-with-background-pages --disable-default-apps --disable-dev-shm-usage --disable-extensions --disable-features=ImprovedCookieControls,LazyFrameLoading,GlobalMediaControls,DestroyProfileOnBrowserClose,MediaRouter,AcceptCHFrame,AutoExpandDetailsElement --allow-pre-commit-input --disable-hang-monitor --disable-ipc-flooding-protection --disable-popup-blocking --disable-prompt-on-repost --disable-renderer-backgrounding --disable-sync --force-color-profile=srgb --metrics-recording-only --no-first-run --enable-automation --password-store=basic --use-mock-keychain --no-service-autorun --export-tagged-pdf --enable-use-zoom-for-dsf=false --no-sandbox --user-data-dir=/var/folders/kv/d09mrzfj49l9yp6hqzg58v840000gn/T/playwright_chromiumdev_profile-ibOEpD --remote-debugging-pipe --no-startup-window E &lt;launched&gt; pid=2236 E [pid=2236][err] Received signal 6 E [pid=2236][err] [0x000118efda79] E [pid=2236][err] [0x000118e59d13] E [pid=2236][err] [0x000118efd9d1] E [pid=2236][err] [0x7fff208d1d7d] E [pid=2236][err] [0x7ffee14fb5d8] E [pid=2236][err] [0x7fff207e1406] E [pid=2236][err] [0x7fff206c1165] E [pid=2236][err] [0x7fff206c42aa] E [pid=2236][err] [0x000118a4b0fc] E [pid=2236][err] [0x00011628f6af] E [pid=2236][err] [0x000115395f67] E [pid=2236][err] [0x0001166f4d1e] E [pid=2236][err] [0x000118ee42e9] E [pid=2236][err] [0x000118eb8a60] E [pid=2236][err] [0x000118ecd979] E [pid=2236][err] [0x000118ecd69c] E [pid=2236][err] [0x000118ecde72] E [pid=2236][err] [0x000118f0f323] E [pid=2236][err] [0x000118f09cf2] E [pid=2236][err] [0x000118f0ed5f] E [pid=2236][err] [0x7fff2098437c] E [pid=2236][err] [0x7fff209842e4] E [pid=2236][err] [0x7fff20984064] E [pid=2236][err] [0x7fff20982a8c] E [pid=2236][err] [0x7fff2098204c] E [pid=2236][err] [0x7fff28bcaa83] E [pid=2236][err] [0x7fff28bca7e5] E [pid=2236][err] [0x7fff28bca583] E [pid=2236][err] [0x7fff2318ad72] E [pid=2236][err] [0x7fff23189545] E [pid=2236][err] [0x000118a12ab0] E [pid=2236][err] [0x000118f09cf2] E [pid=2236][err] [0x000118a129e9] E [pid=2236][err] [0x7fff2317b869] E [pid=2236][err] [0x000118f0fa2c] E [pid=2236][err] [0x000118f0e892] E [pid=2236][err] [0x000118ece0dd] E [pid=2236][err] [0x000118e9843d] E [pid=2236][err] [0x00011661ff7b] E [pid=2236][err] [0x000116621612] E [pid=2236][err] [0x00011661d8dc] E [pid=2236][err] [0x00011899d4e8] E [pid=2236][err] [0x00011899e53a] E [pid=2236][err] [0x00011899e0cb] E [pid=2236][err] [0x00011899c84c] E [pid=2236][err] [0x00011899d0d0] E [pid=2236][err] [0x0001152271be] E [pid=2236][err] [0x00010e7018d1] E [pid=2236][err] [0x7fff208a7f3d] E [pid=2236][err] [0x000000000020] E [pid=2236][err] [end of stack trace] E [pid=2236][err] [0322/180717.089119:WARNING:process_memory_mac.cc(93)] mach_vm_read(0x7ffee14fe000, 0x2000): (os/kern) invalid address (1) E [pid=2236][err] [0322/180717.250919:WARNING:crash_report_exception_handler.cc(235)] UniversalExceptionRaise: (os/kern) failure (5) E =========================== logs =========================== E waiting for selector &quot;a[href=&quot;/app/edit&quot;]&quot; E selector resolved to visible &lt;a data-v-d7081870=&quot;&quot; data-v-1b7f802e=&quot;&quot; href=&quot;/app…&gt;Complete task&lt;/a&gt; E attempting click action E waiting for element to be visible, enabled and stable E element is not stable - waiting... E ============================================================ ../venv/lib/python3.10/site-packages/playwright/_impl/_connection.py:63: Error"><pre class="notranslate"><code class="notranslate">self = &lt;playwright._impl._connection.Channel object at 0x1089be530&gt; method = 'click', params = {'selector': 'a[href="/app/edit-recruiter-profile"]'} return_as_dict = False async def inner_send( self, method: str, params: Optional[Dict], return_as_dict: bool ) -&gt; Any: if params is None: params = {} callback = self._connection._send_message_to_server(self._guid, method, params) if self._connection._error: error = self._connection._error self._connection._error = None raise error done, _ = await asyncio.wait( { self._connection._transport.on_error_future, callback.future, }, return_when=asyncio.FIRST_COMPLETED, ) if not callback.future.done(): callback.future.cancel() &gt; result = next(iter(done)).result() E playwright._impl._api_types.Error: Browser closed. E ==================== Browser output: ==================== E &lt;launching&gt; /Users/silasj/Library/Caches/ms-playwright/chromium-978106/chrome-mac/Chromium.app/Contents/MacOS/Chromium --disable-background-networking --enable-features=NetworkService,NetworkServiceInProcess --disable-background-timer-throttling --disable-backgrounding-occluded-windows --disable-breakpad --disable-client-side-phishing-detection --disable-component-extensions-with-background-pages --disable-default-apps --disable-dev-shm-usage --disable-extensions --disable-features=ImprovedCookieControls,LazyFrameLoading,GlobalMediaControls,DestroyProfileOnBrowserClose,MediaRouter,AcceptCHFrame,AutoExpandDetailsElement --allow-pre-commit-input --disable-hang-monitor --disable-ipc-flooding-protection --disable-popup-blocking --disable-prompt-on-repost --disable-renderer-backgrounding --disable-sync --force-color-profile=srgb --metrics-recording-only --no-first-run --enable-automation --password-store=basic --use-mock-keychain --no-service-autorun --export-tagged-pdf --enable-use-zoom-for-dsf=false --no-sandbox --user-data-dir=/var/folders/kv/d09mrzfj49l9yp6hqzg58v840000gn/T/playwright_chromiumdev_profile-ibOEpD --remote-debugging-pipe --no-startup-window E &lt;launched&gt; pid=2236 E [pid=2236][err] Received signal 6 E [pid=2236][err] [0x000118efda79] E [pid=2236][err] [0x000118e59d13] E [pid=2236][err] [0x000118efd9d1] E [pid=2236][err] [0x7fff208d1d7d] E [pid=2236][err] [0x7ffee14fb5d8] E [pid=2236][err] [0x7fff207e1406] E [pid=2236][err] [0x7fff206c1165] E [pid=2236][err] [0x7fff206c42aa] E [pid=2236][err] [0x000118a4b0fc] E [pid=2236][err] [0x00011628f6af] E [pid=2236][err] [0x000115395f67] E [pid=2236][err] [0x0001166f4d1e] E [pid=2236][err] [0x000118ee42e9] E [pid=2236][err] [0x000118eb8a60] E [pid=2236][err] [0x000118ecd979] E [pid=2236][err] [0x000118ecd69c] E [pid=2236][err] [0x000118ecde72] E [pid=2236][err] [0x000118f0f323] E [pid=2236][err] [0x000118f09cf2] E [pid=2236][err] [0x000118f0ed5f] E [pid=2236][err] [0x7fff2098437c] E [pid=2236][err] [0x7fff209842e4] E [pid=2236][err] [0x7fff20984064] E [pid=2236][err] [0x7fff20982a8c] E [pid=2236][err] [0x7fff2098204c] E [pid=2236][err] [0x7fff28bcaa83] E [pid=2236][err] [0x7fff28bca7e5] E [pid=2236][err] [0x7fff28bca583] E [pid=2236][err] [0x7fff2318ad72] E [pid=2236][err] [0x7fff23189545] E [pid=2236][err] [0x000118a12ab0] E [pid=2236][err] [0x000118f09cf2] E [pid=2236][err] [0x000118a129e9] E [pid=2236][err] [0x7fff2317b869] E [pid=2236][err] [0x000118f0fa2c] E [pid=2236][err] [0x000118f0e892] E [pid=2236][err] [0x000118ece0dd] E [pid=2236][err] [0x000118e9843d] E [pid=2236][err] [0x00011661ff7b] E [pid=2236][err] [0x000116621612] E [pid=2236][err] [0x00011661d8dc] E [pid=2236][err] [0x00011899d4e8] E [pid=2236][err] [0x00011899e53a] E [pid=2236][err] [0x00011899e0cb] E [pid=2236][err] [0x00011899c84c] E [pid=2236][err] [0x00011899d0d0] E [pid=2236][err] [0x0001152271be] E [pid=2236][err] [0x00010e7018d1] E [pid=2236][err] [0x7fff208a7f3d] E [pid=2236][err] [0x000000000020] E [pid=2236][err] [end of stack trace] E [pid=2236][err] [0322/180717.089119:WARNING:process_memory_mac.cc(93)] mach_vm_read(0x7ffee14fe000, 0x2000): (os/kern) invalid address (1) E [pid=2236][err] [0322/180717.250919:WARNING:crash_report_exception_handler.cc(235)] UniversalExceptionRaise: (os/kern) failure (5) E =========================== logs =========================== E waiting for selector "a[href="/app/edit"]" E selector resolved to visible &lt;a data-v-d7081870="" data-v-1b7f802e="" href="/app…&gt;Complete task&lt;/a&gt; E attempting click action E waiting for element to be visible, enabled and stable E element is not stable - waiting... E ============================================================ ../venv/lib/python3.10/site-packages/playwright/_impl/_connection.py:63: Error </code></pre></div>
1
<p dir="auto">Hello,</p> <p dir="auto">When I'm trying to download customized bootstrap 3 file in Safari new empty tab is opened and nothing happened. At the same time in Firefox I was able to download file.</p> <p dir="auto">Safari version: 6.1 (8537.71)<br> OS: OS X 10.8.5</p> <p dir="auto">Regards,<br> Tamara.</p>
<p dir="auto">I get an error 'Ruh roh! Could not save gist file, configuration not saved'.</p> <p dir="auto"><a href="http://getbootstrap.com/customize/#download" rel="nofollow">http://getbootstrap.com/customize/#download</a></p> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://camo.githubusercontent.com/aee0669dee2d522b6e8f9b4c196dc59cec5b506d0e25af8a961ef355a0d2c04b/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f363334383536322f323036333737352f30313533306434322d386362642d313165332d393862642d3865333130333438393163632e706e67"><img src="https://camo.githubusercontent.com/aee0669dee2d522b6e8f9b4c196dc59cec5b506d0e25af8a961ef355a0d2c04b/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f363334383536322f323036333737352f30313533306434322d386362642d313165332d393862642d3865333130333438393163632e706e67" alt="screen shot 2014-02-03 at 10 21 49" data-canonical-src="https://f.cloud.github.com/assets/6348562/2063775/01530d42-8cbd-11e3-98bd-8e31034891cc.png" style="max-width: 100%;"></a></p>
1
<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 checked the <a href="https://github.com/celery/celery/issues?utf8=%E2%9C%93&amp;q=is%3Aissue+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%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 in this issue<br> (If there are none, check this box anyway).</li> </ul> <h2 dir="auto">Related Issues and Possible Duplicates</h2> <h4 dir="auto">Related Issues</h4> <ul dir="auto"> <li>Potentially related to <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="75915160" data-permission-text="Title is private" data-url="https://github.com/celery/celery/issues/2616" data-hovercard-type="issue" data-hovercard-url="/celery/celery/issues/2616/hovercard" href="https://github.com/celery/celery/issues/2616">#2616</a> although quite dated</li> </ul> <h4 dir="auto">Possible Duplicates</h4> <ul dir="auto"> <li>None</li> </ul> <h1 dir="auto">Description</h1> <p dir="auto">The documentation is unclear on the following points:</p> <ol dir="auto"> <li>What happens when the number of pool connections goes above the limit specified by <a href="http://docs.celeryproject.org/en/latest/userguide/configuration.html#std:setting-broker_pool_limit" rel="nofollow">broker_pool_limit</a> and <a href="http://docs.celeryproject.org/en/latest/userguide/configuration.html#redis-max-connections" rel="nofollow">redis_max_connections</a></li> <li>Which setting prevails?</li> <li>Is there a way to choose the type of Redis pool?</li> </ol> <h1 dir="auto">Suggestions</h1> <ol dir="auto"> <li> <p dir="auto">By default Redis creates a <a href="https://redis-py.readthedocs.io/en/latest/#redis.ConnectionPool" rel="nofollow"><code class="notranslate">redis.connection.ConnectionPool</code></a> which raises a <code class="notranslate">redis.exceptions.ConnectionError</code> when celery attempts to execute a new task and all of the connections in the pool are exhausted.<br> In contrast, the <a href="https://redis-py.readthedocs.io/en/latest/#redis.BlockingConnectionPool" rel="nofollow"><code class="notranslate">redis.connection.BlockingConnectionPool</code></a> does not raise an error and waits until a connection becomes available in the pool.<br> The docs should warn that <code class="notranslate">redis_max_connections</code> will raise a redis exception in case the connections exceed the maximum.</p> </li> <li> <p dir="auto">Unsure and untested, so not clear what to suggest here.</p> </li> <li> <p dir="auto">The docs should probably mentions under <code class="notranslate">redis_max_connections</code> that choosing the type of redis pool is unsupported.</p> </li> </ol>
<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> txo 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"> 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"> 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 &amp; 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> <ul dir="auto"> <li>None</li> </ul> <h2 dir="auto">Environment &amp; Settings</h2> <p dir="auto"><strong>Celery version</strong>: v3.1.26 &amp; v4.2.1</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=""><pre class="notranslate"><code class="notranslate"></code></pre></div> <p dir="auto"></p> </details> <h1 dir="auto">Steps to Reproduce</h1> <ul dir="auto"> <li>Create 2 django project running celery v3.1.26 and v4.2.1 respectively. And both the project using the same result backend and same broker url.</li> <li>Execute a task with <code class="notranslate">task_id</code> in project with celery v3.1.26 and try to fetch the result of it in project with celery v4.2.1, you will get the <strong>KeyError: 'task_id'</strong></li> </ul> <p dir="auto">project running celeryv3.1.26</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [24]: variable_time.apply_async((15,), task_id='-2') Out[24]: &lt;AsyncResult: -2&gt; # Celery info [2019-09-01 08:50:08,353: INFO/MainProcess] Received task: testing.tasks.variable_time[-2] [2019-09-01 08:50:23,397: INFO/MainProcess] Task testing.tasks.variable_time[-2] succeeded in 15.037280982825905s: {'celery': 15} # Settings CELERY_RESULT_BACKEND = 'redis://localhost/0' CELERY_BROKER_URL = 'redis://localhost:6379//' CELERY_IMPORTS = ('testing.tasks', ) CELERY_ACCEPT_CONTENT = ['pickle', 'application/json', 'application/x-python-serialize'] CELERY_RESULT_SERIALIZER = 'pickle' CELERY_TASK_SERIALIZER = 'pickle' "><pre class="notranslate"><code class="notranslate">In [24]: variable_time.apply_async((15,), task_id='-2') Out[24]: &lt;AsyncResult: -2&gt; # Celery info [2019-09-01 08:50:08,353: INFO/MainProcess] Received task: testing.tasks.variable_time[-2] [2019-09-01 08:50:23,397: INFO/MainProcess] Task testing.tasks.variable_time[-2] succeeded in 15.037280982825905s: {'celery': 15} # Settings CELERY_RESULT_BACKEND = 'redis://localhost/0' CELERY_BROKER_URL = 'redis://localhost:6379//' CELERY_IMPORTS = ('testing.tasks', ) CELERY_ACCEPT_CONTENT = ['pickle', 'application/json', 'application/x-python-serialize'] CELERY_RESULT_SERIALIZER = 'pickle' CELERY_TASK_SERIALIZER = 'pickle' </code></pre></div> <p dir="auto">project running celeryv4.1.26</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [41]: x = AsyncResult('-2') In [42]: x.get() --------------------------------------------------------------------------- KeyError Traceback (most recent call last) &lt;ipython-input-42-0c447e18adc3&gt; in &lt;module&gt; ----&gt; 1 x.get() ~/.virtualenvs/celery4-env-py3/lib/python3.6/site-packages/celery/result.py in get(self, timeout, propagate, interval, no_ack, follow_parents, callback, on_message, on_interval, disable_sync_subtasks, EXCEPTION_STATES, PROPAGATE_STATES) 221 propagate=propagate, 222 callback=callback, --&gt; 223 on_message=on_message, 224 ) 225 wait = get # deprecated alias to :meth:`get`. ~/.virtualenvs/celery4-env-py3/lib/python3.6/site-packages/celery/backends/async.py in wait_for_pending(self, result, callback, propagate, **kwargs) 186 callback=None, propagate=True, **kwargs): 187 self._ensure_not_eager() --&gt; 188 for _ in self._wait_for_pending(result, **kwargs): 189 pass 190 return result.maybe_throw(callback=callback, propagate=propagate) ~/.virtualenvs/celery4-env-py3/lib/python3.6/site-packages/celery/backends/async.py in _wait_for_pending(self, result, timeout, on_interval, on_message, **kwargs) 248 timeout=None, on_interval=None, on_message=None, 249 **kwargs): --&gt; 250 self.on_wait_for_pending(result, timeout=timeout, **kwargs) 251 prev_on_m, self.on_message = self.on_message, on_message 252 try: ~/.virtualenvs/celery4-env-py3/lib/python3.6/site-packages/celery/backends/redis.py in on_wait_for_pending(self, result, **kwargs) 110 for meta in result._iter_meta(): 111 if meta is not None: --&gt; 112 self.on_state_change(meta, None) 113 114 def stop(self): ~/.virtualenvs/celery4-env-py3/lib/python3.6/site-packages/celery/backends/redis.py in on_state_change(self, meta, message) 98 99 def on_state_change(self, meta, message): --&gt; 100 super(ResultConsumer, self).on_state_change(meta, message) 101 self._maybe_cancel_ready_task(meta) 102 ~/.virtualenvs/celery4-env-py3/lib/python3.6/site-packages/celery/backends/async.py in on_state_change(self, meta, message) 279 self.on_message(meta) 280 if meta['status'] in states.READY_STATES: --&gt; 281 task_id = meta['task_id'] 282 try: 283 result = self._get_pending_result(task_id) KeyError: 'task_id' # Settings CELERY_RESULT_BACKEND = 'redis://localhost/0' CELERY_BROKER_URL = 'redis://localhost:6379//' CELERY_IMPORTS = ('testing.tasks', ) CELERY_ACCEPT_CONTENT = ['pickle', 'application/json', 'application/x-python-serialize'] CELERY_RESULT_SERIALIZER = 'pickle' CELERY_TASK_SERIALIZER = 'pickle' "><pre class="notranslate"><code class="notranslate">In [41]: x = AsyncResult('-2') In [42]: x.get() --------------------------------------------------------------------------- KeyError Traceback (most recent call last) &lt;ipython-input-42-0c447e18adc3&gt; in &lt;module&gt; ----&gt; 1 x.get() ~/.virtualenvs/celery4-env-py3/lib/python3.6/site-packages/celery/result.py in get(self, timeout, propagate, interval, no_ack, follow_parents, callback, on_message, on_interval, disable_sync_subtasks, EXCEPTION_STATES, PROPAGATE_STATES) 221 propagate=propagate, 222 callback=callback, --&gt; 223 on_message=on_message, 224 ) 225 wait = get # deprecated alias to :meth:`get`. ~/.virtualenvs/celery4-env-py3/lib/python3.6/site-packages/celery/backends/async.py in wait_for_pending(self, result, callback, propagate, **kwargs) 186 callback=None, propagate=True, **kwargs): 187 self._ensure_not_eager() --&gt; 188 for _ in self._wait_for_pending(result, **kwargs): 189 pass 190 return result.maybe_throw(callback=callback, propagate=propagate) ~/.virtualenvs/celery4-env-py3/lib/python3.6/site-packages/celery/backends/async.py in _wait_for_pending(self, result, timeout, on_interval, on_message, **kwargs) 248 timeout=None, on_interval=None, on_message=None, 249 **kwargs): --&gt; 250 self.on_wait_for_pending(result, timeout=timeout, **kwargs) 251 prev_on_m, self.on_message = self.on_message, on_message 252 try: ~/.virtualenvs/celery4-env-py3/lib/python3.6/site-packages/celery/backends/redis.py in on_wait_for_pending(self, result, **kwargs) 110 for meta in result._iter_meta(): 111 if meta is not None: --&gt; 112 self.on_state_change(meta, None) 113 114 def stop(self): ~/.virtualenvs/celery4-env-py3/lib/python3.6/site-packages/celery/backends/redis.py in on_state_change(self, meta, message) 98 99 def on_state_change(self, meta, message): --&gt; 100 super(ResultConsumer, self).on_state_change(meta, message) 101 self._maybe_cancel_ready_task(meta) 102 ~/.virtualenvs/celery4-env-py3/lib/python3.6/site-packages/celery/backends/async.py in on_state_change(self, meta, message) 279 self.on_message(meta) 280 if meta['status'] in states.READY_STATES: --&gt; 281 task_id = meta['task_id'] 282 try: 283 result = self._get_pending_result(task_id) KeyError: 'task_id' # Settings CELERY_RESULT_BACKEND = 'redis://localhost/0' CELERY_BROKER_URL = 'redis://localhost:6379//' CELERY_IMPORTS = ('testing.tasks', ) CELERY_ACCEPT_CONTENT = ['pickle', 'application/json', 'application/x-python-serialize'] CELERY_RESULT_SERIALIZER = 'pickle' CELERY_TASK_SERIALIZER = 'pickle' </code></pre></div> <h2 dir="auto">Required Dependencies</h2> <ul dir="auto"> <li><strong>Minimal Python Version</strong>: N/A or Unknown</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="# Celery3 amqp==1.4.9 anyjson==0.3.3 appnope==0.1.0 backcall==0.1.0 billiard==3.3.0.23 celery==3.1.25 decorator==4.4.0 Django==2.2 ipdb==0.12.2 ipython==7.8.0 ipython-genutils==0.2.0 jedi==0.15.1 kombu==3.0.37 parso==0.5.1 pexpect==4.7.0 pickleshare==0.7.5 prompt-toolkit==2.0.9 ptyprocess==0.6.0 Pygments==2.4.2 pytz==2019.2 redis==2.10.6 six==1.12.0 sqlparse==0.3.0 traitlets==4.3.2 wcwidth==0.1.7 # Celery4 alabaster==0.7.10 amqp==2.5.1 anaconda-client==1.6.14 anaconda-navigator==1.8.7 anaconda-project==0.8.2 appnope==0.1.0 appscript==1.0.1 asn1crypto==0.24.0 astroid==1.6.3 astropy==3.0.2 attrs==18.1.0 Babel==2.5.3 backcall==0.1.0 backports.shutil-get-terminal-size==1.0.0 beautifulsoup4==4.6.0 billiard==3.6.1.0 bitarray==0.8.1 bkcharts==0.2 blaze==0.11.3 bleach==2.1.3 bokeh==0.12.16 boto==2.48.0 Bottleneck==1.2.1 celery==4.4.0rc3 certifi==2018.4.16 cffi==1.11.5 chardet==3.0.4 click==6.7 cloudpickle==0.5.3 clyent==1.2.2 colorama==0.3.9 conda==4.5.4 conda-build==3.10.5 conda-verify==2.0.0 contextlib2==0.5.5 cryptography==2.2.2 cycler==0.10.0 Cython==0.28.2 cytoolz==0.9.0.1 dask==0.17.5 datashape==0.5.4 decorator==4.3.0 distributed==1.21.8 Django==2.2 docutils==0.14 entrypoints==0.2.3 et-xmlfile==1.0.1 fastcache==1.0.2 filelock==3.0.4 Flask==1.0.2 Flask-Cors==3.0.4 gevent==1.3.0 glob2==0.6 gmpy2==2.0.8 greenlet==0.4.13 h5py==2.7.1 heapdict==1.0.0 html5lib==1.0.1 idna==2.6 imageio==2.3.0 imagesize==1.0.0 importlib-metadata==0.19 ipdb==0.12.2 ipykernel==4.8.2 ipython==6.4.0 ipython-genutils==0.2.0 ipywidgets==7.2.1 isort==4.3.4 itsdangerous==0.24 jdcal==1.4 jedi==0.12.0 Jinja2==2.10 jsonschema==2.6.0 jupyter==1.0.0 jupyter-client==5.2.3 jupyter-console==5.2.0 jupyter-core==4.4.0 jupyterlab==0.32.1 jupyterlab-launcher==0.10.5 kiwisolver==1.0.1 kombu==4.6.4 lazy-object-proxy==1.3.1 llvmlite==0.23.1 locket==0.2.0 lxml==4.2.1 MarkupSafe==1.0 matplotlib==2.2.2 mccabe==0.6.1 mistune==0.8.3 mkl-fft==1.0.0 mkl-random==1.0.1 more-itertools==4.1.0 mpmath==1.0.0 msgpack-python==0.5.6 multipledispatch==0.5.0 mypy==0.650 mypy-extensions==0.4.1 navigator-updater==0.2.1 nbconvert==5.3.1 nbformat==4.4.0 networkx==2.1 nltk==3.3 nose==1.3.7 notebook==5.5.0 numba==0.38.0 numexpr==2.6.5 numpy==1.14.3 numpydoc==0.8.0 odo==0.5.1 olefile==0.45.1 openpyxl==2.5.3 packaging==17.1 pandas==0.23.0 pandocfilters==1.4.2 parso==0.2.0 partd==0.3.8 path.py==11.0.1 pathlib2==2.3.2 patsy==0.5.0 pep8==1.7.1 pexpect==4.5.0 pickleshare==0.7.4 Pillow==5.1.0 pkginfo==1.4.2 pluggy==0.6.0 ply==3.11 prompt-toolkit==1.0.15 psutil==5.4.5 ptyprocess==0.5.2 py==1.5.3 pycodestyle==2.4.0 pycosat==0.6.3 pycparser==2.18 pycrypto==2.6.1 pycurl==7.43.0.1 pyflakes==1.6.0 Pygments==2.2.0 pylint==1.8.4 pyodbc==4.0.23 pyOpenSSL==18.0.0 pyparsing==2.2.0 PySocks==1.6.8 pytest==3.5.1 pytest-arraydiff==0.2 pytest-astropy==0.3.0 pytest-doctestplus==0.1.3 pytest-openfiles==0.3.0 pytest-remotedata==0.2.1 python-dateutil==2.7.3 pytz==2018.4 PyWavelets==0.5.2 PyYAML==3.12 pyzmq==17.0.0 QtAwesome==0.4.4 qtconsole==4.3.1 QtPy==1.4.1 redis==2.10.6 requests==2.18.4 rope==0.10.7 ruamel-yaml==0.15.35 scikit-image==0.13.1 scikit-learn==0.19.1 scipy==1.1.0 seaborn==0.8.1 Send2Trash==1.5.0 simplegeneric==0.8.1 singledispatch==3.4.0.3 six==1.11.0 snowballstemmer==1.2.1 sortedcollections==0.6.1 sortedcontainers==1.5.10 Sphinx==1.7.4 sphinxcontrib-websupport==1.0.1 spyder==3.2.8 SQLAlchemy==1.2.7 sqlparse==0.3.0 statsmodels==0.9.0 sympy==1.1.1 tables==3.4.3 tblib==1.3.2 terminado==0.8.1 testpath==0.3.1 toolz==0.9.0 tornado==5.0.2 traitlets==4.3.2 typed-ast==1.1.0 typing==3.6.4 unicodecsv==0.14.1 urllib3==1.22 vine==1.3.0 wcwidth==0.1.7 webencodings==0.5.1 Werkzeug==0.14.1 widgetsnbextension==3.2.1 wrapt==1.10.11 xlrd==1.1.0 XlsxWriter==1.0.4 xlwings==0.11.8 xlwt==1.2.0 zict==0.1.3 zipp==0.6.0"><pre class="notranslate"><code class="notranslate"># Celery3 amqp==1.4.9 anyjson==0.3.3 appnope==0.1.0 backcall==0.1.0 billiard==3.3.0.23 celery==3.1.25 decorator==4.4.0 Django==2.2 ipdb==0.12.2 ipython==7.8.0 ipython-genutils==0.2.0 jedi==0.15.1 kombu==3.0.37 parso==0.5.1 pexpect==4.7.0 pickleshare==0.7.5 prompt-toolkit==2.0.9 ptyprocess==0.6.0 Pygments==2.4.2 pytz==2019.2 redis==2.10.6 six==1.12.0 sqlparse==0.3.0 traitlets==4.3.2 wcwidth==0.1.7 # Celery4 alabaster==0.7.10 amqp==2.5.1 anaconda-client==1.6.14 anaconda-navigator==1.8.7 anaconda-project==0.8.2 appnope==0.1.0 appscript==1.0.1 asn1crypto==0.24.0 astroid==1.6.3 astropy==3.0.2 attrs==18.1.0 Babel==2.5.3 backcall==0.1.0 backports.shutil-get-terminal-size==1.0.0 beautifulsoup4==4.6.0 billiard==3.6.1.0 bitarray==0.8.1 bkcharts==0.2 blaze==0.11.3 bleach==2.1.3 bokeh==0.12.16 boto==2.48.0 Bottleneck==1.2.1 celery==4.4.0rc3 certifi==2018.4.16 cffi==1.11.5 chardet==3.0.4 click==6.7 cloudpickle==0.5.3 clyent==1.2.2 colorama==0.3.9 conda==4.5.4 conda-build==3.10.5 conda-verify==2.0.0 contextlib2==0.5.5 cryptography==2.2.2 cycler==0.10.0 Cython==0.28.2 cytoolz==0.9.0.1 dask==0.17.5 datashape==0.5.4 decorator==4.3.0 distributed==1.21.8 Django==2.2 docutils==0.14 entrypoints==0.2.3 et-xmlfile==1.0.1 fastcache==1.0.2 filelock==3.0.4 Flask==1.0.2 Flask-Cors==3.0.4 gevent==1.3.0 glob2==0.6 gmpy2==2.0.8 greenlet==0.4.13 h5py==2.7.1 heapdict==1.0.0 html5lib==1.0.1 idna==2.6 imageio==2.3.0 imagesize==1.0.0 importlib-metadata==0.19 ipdb==0.12.2 ipykernel==4.8.2 ipython==6.4.0 ipython-genutils==0.2.0 ipywidgets==7.2.1 isort==4.3.4 itsdangerous==0.24 jdcal==1.4 jedi==0.12.0 Jinja2==2.10 jsonschema==2.6.0 jupyter==1.0.0 jupyter-client==5.2.3 jupyter-console==5.2.0 jupyter-core==4.4.0 jupyterlab==0.32.1 jupyterlab-launcher==0.10.5 kiwisolver==1.0.1 kombu==4.6.4 lazy-object-proxy==1.3.1 llvmlite==0.23.1 locket==0.2.0 lxml==4.2.1 MarkupSafe==1.0 matplotlib==2.2.2 mccabe==0.6.1 mistune==0.8.3 mkl-fft==1.0.0 mkl-random==1.0.1 more-itertools==4.1.0 mpmath==1.0.0 msgpack-python==0.5.6 multipledispatch==0.5.0 mypy==0.650 mypy-extensions==0.4.1 navigator-updater==0.2.1 nbconvert==5.3.1 nbformat==4.4.0 networkx==2.1 nltk==3.3 nose==1.3.7 notebook==5.5.0 numba==0.38.0 numexpr==2.6.5 numpy==1.14.3 numpydoc==0.8.0 odo==0.5.1 olefile==0.45.1 openpyxl==2.5.3 packaging==17.1 pandas==0.23.0 pandocfilters==1.4.2 parso==0.2.0 partd==0.3.8 path.py==11.0.1 pathlib2==2.3.2 patsy==0.5.0 pep8==1.7.1 pexpect==4.5.0 pickleshare==0.7.4 Pillow==5.1.0 pkginfo==1.4.2 pluggy==0.6.0 ply==3.11 prompt-toolkit==1.0.15 psutil==5.4.5 ptyprocess==0.5.2 py==1.5.3 pycodestyle==2.4.0 pycosat==0.6.3 pycparser==2.18 pycrypto==2.6.1 pycurl==7.43.0.1 pyflakes==1.6.0 Pygments==2.2.0 pylint==1.8.4 pyodbc==4.0.23 pyOpenSSL==18.0.0 pyparsing==2.2.0 PySocks==1.6.8 pytest==3.5.1 pytest-arraydiff==0.2 pytest-astropy==0.3.0 pytest-doctestplus==0.1.3 pytest-openfiles==0.3.0 pytest-remotedata==0.2.1 python-dateutil==2.7.3 pytz==2018.4 PyWavelets==0.5.2 PyYAML==3.12 pyzmq==17.0.0 QtAwesome==0.4.4 qtconsole==4.3.1 QtPy==1.4.1 redis==2.10.6 requests==2.18.4 rope==0.10.7 ruamel-yaml==0.15.35 scikit-image==0.13.1 scikit-learn==0.19.1 scipy==1.1.0 seaborn==0.8.1 Send2Trash==1.5.0 simplegeneric==0.8.1 singledispatch==3.4.0.3 six==1.11.0 snowballstemmer==1.2.1 sortedcollections==0.6.1 sortedcontainers==1.5.10 Sphinx==1.7.4 sphinxcontrib-websupport==1.0.1 spyder==3.2.8 SQLAlchemy==1.2.7 sqlparse==0.3.0 statsmodels==0.9.0 sympy==1.1.1 tables==3.4.3 tblib==1.3.2 terminado==0.8.1 testpath==0.3.1 toolz==0.9.0 tornado==5.0.2 traitlets==4.3.2 typed-ast==1.1.0 typing==3.6.4 unicodecsv==0.14.1 urllib3==1.22 vine==1.3.0 wcwidth==0.1.7 webencodings==0.5.1 Werkzeug==0.14.1 widgetsnbextension==3.2.1 wrapt==1.10.11 xlrd==1.1.0 XlsxWriter==1.0.4 xlwings==0.11.8 xlwt==1.2.0 zict==0.1.3 zipp==0.6.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> <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">Task executed in celery3 should not fail if fetched in celery4.</p> <h1 dir="auto">Actual Behavior</h1> <p dir="auto">Task executed in celery v3.1.26, but when tried to fetch the result of the task in celery v4.2.1 it throws an KEYERROR: 'task_id'</p>
0
<p dir="auto">My aim is to make a five-category text classification</p> <p dir="auto">I am running transformers fine tuning bert with <code class="notranslate">cnnbase</code> model but my program stops at <code class="notranslate">loss.backward()</code> without any prompt in <code class="notranslate">cmd</code>.</p> <p dir="auto">I debug find that the program stop at the loss.backward line without any error prompt</p> <p dir="auto">My program executed successfully in <code class="notranslate">rnn base</code> such as <code class="notranslate">lstm</code> and <code class="notranslate">rcnn</code>.</p> <p dir="auto">But when I am running some <code class="notranslate">cnnbase</code> model the strange bug appears.</p> <p dir="auto">My cnn model code:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import torch import torch.nn as nn import torch.nn.functional as F from transformers.modeling_bert import BertPreTrainedModel, BertModel n_filters = 200 filter_sizes = [2,3,4] class BertCNN(BertPreTrainedModel): def __init__(self, config): super(BertPreTrainedModel, self).__init__(config) self.num_filters = n_filters self.filter_sizes = filter_sizes self.bert = BertModel(config) for param in self.bert.parameters(): param.requires_grad = True self.convs = nn.ModuleList( [nn.Conv2d(1, self.num_filters, (k, config.hidden_size)) for k in self.filter_sizes]) self.dropout = nn.Dropout(config.hidden_dropout_prob) self.fc_cnn = nn.Linear(self.num_filters * len(self.filter_sizes), config.num_labels) def conv_and_pool(self, x, conv): x = F.relu(conv(x)).squeeze(3) x = F.max_pool1d(x, x.size(2)).squeeze(2) return x def forward(self, input_ids, attention_mask=None, token_type_ids=None, head_mask=None): outputs = self.bert(input_ids, attention_mask=attention_mask, token_type_ids=token_type_ids, head_mask=head_mask) encoder_out, text_cls = outputs out = encoder_out.unsqueeze(1) out = torch.cat([self.conv_and_pool(out, conv) for conv in self.convs], 1) out = self.dropout(out) out = self.fc_cnn(out) return out"><pre class="notranslate"><code class="notranslate">import torch import torch.nn as nn import torch.nn.functional as F from transformers.modeling_bert import BertPreTrainedModel, BertModel n_filters = 200 filter_sizes = [2,3,4] class BertCNN(BertPreTrainedModel): def __init__(self, config): super(BertPreTrainedModel, self).__init__(config) self.num_filters = n_filters self.filter_sizes = filter_sizes self.bert = BertModel(config) for param in self.bert.parameters(): param.requires_grad = True self.convs = nn.ModuleList( [nn.Conv2d(1, self.num_filters, (k, config.hidden_size)) for k in self.filter_sizes]) self.dropout = nn.Dropout(config.hidden_dropout_prob) self.fc_cnn = nn.Linear(self.num_filters * len(self.filter_sizes), config.num_labels) def conv_and_pool(self, x, conv): x = F.relu(conv(x)).squeeze(3) x = F.max_pool1d(x, x.size(2)).squeeze(2) return x def forward(self, input_ids, attention_mask=None, token_type_ids=None, head_mask=None): outputs = self.bert(input_ids, attention_mask=attention_mask, token_type_ids=token_type_ids, head_mask=head_mask) encoder_out, text_cls = outputs out = encoder_out.unsqueeze(1) out = torch.cat([self.conv_and_pool(out, conv) for conv in self.convs], 1) out = self.dropout(out) out = self.fc_cnn(out) return out </code></pre></div> <p dir="auto">My train code:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" for step, batch in enumerate(data): self.model.train() batch = tuple(t.to(self.device) for t in batch) input_ids, input_mask, segment_ids, label_ids = batch print(&quot;input_ids, input_mask, segment_ids, label_ids SIZE: \n&quot;) print(input_ids.size(), input_mask.size(),segment_ids.size(), label_ids.size()) # torch.Size([2, 80]) torch.Size([2, 80]) torch.Size([2, 80]) torch.Size([2]) logits = self.model(input_ids, segment_ids, input_mask) print(&quot;logits and label ids size: &quot;,logits.size(), label_ids.size()) # torch.Size([2, 5]) torch.Size([2]) loss = self.criterion(output=logits, target=label_ids) #loss function:CrossEntropyLoss() if len(self.n_gpu) &gt;= 2: loss = loss.mean() if self.gradient_accumulation_steps &gt; 1: loss = loss / self.gradient_accumulation_steps if self.fp16: with amp.scale_loss(loss, self.optimizer) as scaled_loss: scaled_loss.backward() clip_grad_norm_(amp.master_params(self.optimizer), self.grad_clip) else: loss.backward() # I debug find that the program stop at this line without any error prompt"><pre class="notranslate"><code class="notranslate"> for step, batch in enumerate(data): self.model.train() batch = tuple(t.to(self.device) for t in batch) input_ids, input_mask, segment_ids, label_ids = batch print("input_ids, input_mask, segment_ids, label_ids SIZE: \n") print(input_ids.size(), input_mask.size(),segment_ids.size(), label_ids.size()) # torch.Size([2, 80]) torch.Size([2, 80]) torch.Size([2, 80]) torch.Size([2]) logits = self.model(input_ids, segment_ids, input_mask) print("logits and label ids size: ",logits.size(), label_ids.size()) # torch.Size([2, 5]) torch.Size([2]) loss = self.criterion(output=logits, target=label_ids) #loss function:CrossEntropyLoss() if len(self.n_gpu) &gt;= 2: loss = loss.mean() if self.gradient_accumulation_steps &gt; 1: loss = loss / self.gradient_accumulation_steps if self.fp16: with amp.scale_loss(loss, self.optimizer) as scaled_loss: scaled_loss.backward() clip_grad_norm_(amp.master_params(self.optimizer), self.grad_clip) else: loss.backward() # I debug find that the program stop at this line without any error prompt </code></pre></div> <p dir="auto">HELP~!~ 、<br> I posted my questions on various community platforms,stackoverflow、other github repositories.<br> No one replied to me.</p>
<p dir="auto">Whenever backward() is called to compute gradients the python script never terminates. The backward function is not per se blocking and all lines after it are still executed however the script just does not terminate. This may be related with the operation system which is Windows 7 or with the use of conda. At least there is another <a href="https://stackoverflow.com/questions/57857690/pytorch-autograd-obstructs-script-from-terminating" rel="nofollow">(post on Stack Overflow)</a> describing the same problem in the same environment.</p> <h2 dir="auto">To Reproduce</h2> <p dir="auto">Steps to reproduce the behavior:</p> <ol dir="auto"> <li>install PyTorch on windows 7 via conda (<code class="notranslate">conda create --name grad_test pytorch -c pytorch</code>)</li> <li>run example code given below taken from the post on Stack Overflow</li> </ol> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import torch x = torch.randn(3, requires_grad=True) y = x * 2 print(y) gradients = torch.tensor([0.1, 1.0, 0.0001], dtype=torch.float) y.backward(gradients) print(x.grad) print(&quot;all done&quot;)"><pre class="notranslate"><code class="notranslate">import torch x = torch.randn(3, requires_grad=True) y = x * 2 print(y) gradients = torch.tensor([0.1, 1.0, 0.0001], dtype=torch.float) y.backward(gradients) print(x.grad) print("all done") </code></pre></div> <h2 dir="auto">Expected behavior</h2> <p dir="auto">Script runs and exits after printing "all done".</p> <h2 dir="auto">Environment</h2> <p dir="auto">PyTorch version: 1.3.0<br> Is debug build: No<br> CUDA used to build PyTorch: 10.1</p> <p dir="auto">OS: Microsoft Windows 7 Enterprise<br> CMake version: version 3.9.6</p> <p dir="auto">Python version: 3.7<br> Is CUDA available: Yes<br> CUDA runtime version: 10.1.243<br> GPU models and configuration: GPU 0: GeForce GTX 1080<br> Nvidia driver version: 441.12<br> cuDNN version: Could not collect</p> <p dir="auto">Versions of relevant libraries:<br> [pip] numpy==1.17.3<br> [pip] torch==1.3.0<br> [pip] torchvision==0.4.1<br> [conda] blas 1.0 mkl anaconda<br> [conda] libblas 3.8.0 14_mkl conda-forge<br> [conda] libcblas 3.8.0 14_mkl conda-forge<br> [conda] liblapack 3.8.0 14_mkl conda-forge<br> [conda] mkl 2019.4 245<br> [conda] mkl-service 2.3.0 py37hfa6e2cd_0 conda-forge<br> [conda] pytorch 1.3.0 py3.7_cuda101_cudnn7_0 pytorch<br> [conda] torchvision 0.4.1 py37_cu101 pytorch</p> <p dir="auto">cc <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/ezyang/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/ezyang">@ezyang</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/ssnl/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/ssnl">@ssnl</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/albanD/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/albanD">@albanD</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/zou3519/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/zou3519">@zou3519</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/gqchen/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/gqchen">@gqchen</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/peterjc123/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/peterjc123">@peterjc123</a></p>
1
<p dir="auto">Dear all,</p> <p dir="auto">Now that bootstrap v. 3.0 is out how to use it on an existing site made with bootstrap v. 2.0? Any help/suggestions is appreciated!</p> <p dir="auto">Fabrizio</p>
<p dir="auto">Take this piece of code, for example. The width of the right and left border on the input-group-addon are two pixels, while they should be one.</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" &lt;div class=&quot;input-group&quot;&gt; &lt;input type=&quot;text&quot; class=&quot;form-control&quot; &gt; &lt;span class=&quot;input-group-addon&quot;&gt;Hello&lt;/span&gt; &lt;input type=&quot;text&quot; class=&quot;form-control&quot; &gt; &lt;/div&gt;"><pre class="notranslate"><code class="notranslate"> &lt;div class="input-group"&gt; &lt;input type="text" class="form-control" &gt; &lt;span class="input-group-addon"&gt;Hello&lt;/span&gt; &lt;input type="text" class="form-control" &gt; &lt;/div&gt; </code></pre></div>
0
<p dir="auto">After <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="97430498" data-permission-text="Title is private" data-url="https://github.com/kubernetes/kubernetes/issues/11878" data-hovercard-type="pull_request" data-hovercard-url="/kubernetes/kubernetes/pull/11878/hovercard" href="https://github.com/kubernetes/kubernetes/pull/11878">#11878</a> and <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="98145224" data-permission-text="Title is private" data-url="https://github.com/kubernetes/kubernetes/issues/12020" data-hovercard-type="pull_request" data-hovercard-url="/kubernetes/kubernetes/pull/12020/hovercard" href="https://github.com/kubernetes/kubernetes/pull/12020">#12020</a> pkg/registry is no longer coupled with etcd - it is now (relatively) generic.</p> <p dir="auto">Few thing that we should cleanup there:</p> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> move any references to etcd to something more generic (e.g. pkg/registry/<em>/etcd to pkg/registry/</em>/storageclient) - please suggest better name for it :)</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> migrate services to use rest.StandardStorage and move it to service/ directory (from pkg/registry/etcd/)</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> unify limitrange and events with all other resources (all other resources have: registry.go, rest.go and etcd/etcd.go files) - events and limitrange are structured differently</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> refactor tests under pkg/registry/*/etcd directoris to use common testing infrastructure from pkg/api/rest/resttest</li> </ul> <p dir="auto">cc <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/thockin/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/thockin">@thockin</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/smarterclayton/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/smarterclayton">@smarterclayton</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/derekwaynecarr/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/derekwaynecarr">@derekwaynecarr</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/lavalamp/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/lavalamp">@lavalamp</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/nikhiljindal/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/nikhiljindal">@nikhiljindal</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/fgrzadkowski/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/fgrzadkowski">@fgrzadkowski</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/davidopp/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/davidopp">@davidopp</a></p>
<p dir="auto">Now that all elements in the registry have been switched to use the storage layer we should probably move to rename the /etcd* to something more generic, as we work to shard to different backends.</p> <p dir="auto">I still have to finish up some other transformations 1st, but this is a placeholder.</p> <p dir="auto">My vote might be keyval.</p> <p dir="auto">/cc <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/jayunit100/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/jayunit100">@jayunit100</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/lavalamp/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/lavalamp">@lavalamp</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/wojtek-t/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/wojtek-t">@wojtek-t</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/rrati/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/rrati">@rrati</a></p>
1
<p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=xhchen111" rel="nofollow">chen xiaohu</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-3561?redirect=false" rel="nofollow">SPR-3561</a></strong> and commented</p> <p dir="auto">ClassReader cannot load class included in spring.jar.</p> <p dir="auto">See:<br> <a href="http://forum.springframework.org/showthread.php?t=38729" rel="nofollow">http://forum.springframework.org/showthread.php?t=38729</a></p> <hr> <p dir="auto"><strong>Affects:</strong> 2.1 M1</p> <p dir="auto"><strong>Attachments:</strong></p> <ul dir="auto"> <li><a href="https://jira.spring.io/secure/attachment/12648/xhchen.zip" rel="nofollow">xhchen.zip</a> (<em>13.70 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="398066844" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/6801" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/6801/hovercard" href="https://github.com/spring-projects/spring-framework/issues/6801">#6801</a> XML Schema-based configuration can not use in web server resin3 (<em><strong>"duplicates"</strong></em>)</li> </ul>
<p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=xhchen111" rel="nofollow">chen xiaohu</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-2109?redirect=false" rel="nofollow">SPR-2109</a></strong> and commented</p> <p dir="auto">when user jpetstore sample of m5 in resin3.0.14.<br> I think the error is can not use xsi:schemaLocation="<br> <a href="http://www.springframework.org/schema/beans" rel="nofollow">http://www.springframework.org/schema/beans</a> <a href="http://www.springframework.org/schema/beans/spring-beans.xsd" rel="nofollow">http://www.springframework.org/schema/beans/spring-beans.xsd</a>"<br> in applicationContext.xml in resin.<br> error :</p> <hr> <p dir="auto">[12:21:00.640] Caused by: java.lang.IllegalArgumentException: Bean name must not be empty<br> [12:21:00.640] at org.springframework.util.Assert.hasText(Assert.java:169)<br> [12:21:00.640] at org.springframework.beans.factory.config.RuntimeBeanReference.&lt;init&gt;RuntimeBeanReference.java:56)<br> [12:21:00.640] at org.springframework.beans.factory.config.RuntimeBeanReference.&lt;init&gt;RuntimeBeanReference.java:44)<br> [12:21:00.640] at org.springframework.beans.factory.support.BeanDefinitionBuild er.addPropertyReference BeanDefinitionBuilder.java:115)<br> [12:21:00.640] at org.springframework.transaction.config.TxAdviceBeanDefinition Parser.doParse TxAdviceBeanDefinitionParser.java:68)<br> .....</p> <hr> <p dir="auto"><strong>Affects:</strong> 2.0 M5</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="398072166" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/7439" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/7439/hovercard" href="https://github.com/spring-projects/spring-framework/issues/7439">#7439</a> SPR_2109 reoccurs in Resin 3.0.18 (<em><strong>"is depended on by"</strong></em>)</li> <li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="398078594" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/8244" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/8244/hovercard" href="https://github.com/spring-projects/spring-framework/issues/8244">#8244</a> CLONE -context:component-scan does not work in the web application (<em><strong>"is duplicated by"</strong></em>)</li> </ul>
1
<p dir="auto">This is a bit of an odd problem, but has been reproducible for me in both Matplotlib 1.5.2 on Python 3.5.2 from Macports on Mac OS X 10.9.6 and Matplotlib 1.5.1 on Python 3.5.1 from Anaconda on Windows 10, both running on 64-bit 4-core Intel i7 processors (of significantly differing ages).</p> <p dir="auto">Any array with a dimension of 3421*2^n, for a non-negative integer n, will be missing one line along that dimension when saved as a PNG file through <code class="notranslate">imsave</code>. For example:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="&gt;&gt;&gt; n = np.zeros((3241,3241)) &gt;&gt;&gt; plt.imsave('test.png', n) &gt;&gt;&gt; plt.imread('test.png').shape (3240, 3240, 4)"><pre class="notranslate"><code class="notranslate">&gt;&gt;&gt; n = np.zeros((3241,3241)) &gt;&gt;&gt; plt.imsave('test.png', n) &gt;&gt;&gt; plt.imread('test.png').shape (3240, 3240, 4) </code></pre></div> <p dir="auto">Inspection of the file through the OS will also show the shortened resolution, and saving a more detailed image will show the missing lines are taken from the top and the right. Saving an RGB or RGBA array has the same result.</p> <p dir="auto">Considering the nature of the pattern, this would seem to be some sort of floating-point rounding error, though I have not been able to find a location it might occur. I also cannot currently confirm if it happens for more recent versions, such as is currently in this repository.</p>
<p dir="auto">Make an image that's random noise in [0, 0.5] except the left half of the first line that's =1 (i.e, should be a white strip)</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="from matplotlib import pyplot as plt import numpy as np import seaborn as sns; sns.set(style=&quot;ticks&quot;) t = np.random.random((128, 128)) * .5 t[0, :64] = 1 plt.imshow(t, interpolation=&quot;none&quot;, cmap=&quot;gray&quot;) plt.show()"><pre class="notranslate"><code class="notranslate">from matplotlib import pyplot as plt import numpy as np import seaborn as sns; sns.set(style="ticks") t = np.random.random((128, 128)) * .5 t[0, :64] = 1 plt.imshow(t, interpolation="none", cmap="gray") plt.show() </code></pre></div> <p dir="auto">(mpl 2.0b3, Qt5Agg)</p> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/1322974/17067434/8b5503c0-5000-11e6-835c-3c9fd1652bc5.png"><img src="https://cloud.githubusercontent.com/assets/1322974/17067434/8b5503c0-5000-11e6-835c-3c9fd1652bc5.png" alt="seaborn" style="max-width: 100%;"></a></p> <p dir="auto">Funnily enough this does not happen with matplotlib's own <code class="notranslate">seaborn-ticks</code> style (note the thin white strip visible in the first line):<br> <a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/1322974/17067460/a7443c9a-5000-11e6-9752-386ceb93b713.png"><img src="https://cloud.githubusercontent.com/assets/1322974/17067460/a7443c9a-5000-11e6-9752-386ceb93b713.png" alt="mpl-seaborn" style="max-width: 100%;"></a></p> <p dir="auto">While obviously, at some point there are just not enough pixels to display your data, I think this is somewhat misleading because individual pixels are clearly visible in the image, so you don't really expect some of them to be missing on the edge.</p> <p dir="auto">I guess this may be due to the fact that axes are drawn <em>centered</em> on their "theoretical" position? I wonder if this can be fixed by changing the zorder of the axes to go below the image, or (less likely to be widely applicable) shifting the axes out so that their <em>inner edge</em> matches the theoretical position.</p> <p dir="auto">Edit: the problem of the first solution is that there's a loop... we expect images to be on top of axes, but lines to be on top of images and axes to be on top of lines (I think it would look weird if lines went on top of axes). Still, it would help if at least the axes box did obey zorder, which it doesn't right now, AFAICT. Then <code class="notranslate">imshow()</code> could by default change the zorder of the axes to a smaller value (yeah, magic, I know) but everything would still be fixable manually at least.</p>
1
<h3 dir="auto">First check</h3> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I added a very descriptive title to this issue.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I used the GitHub search to find a similar issue and didn't find it.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I searched the FastAPI documentation, with the integrated search.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I already searched in Google "How to X in FastAPI" and didn't find any information.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I already read and followed all the tutorial in the docs and didn't find an answer.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I already checked if it is not related to FastAPI but to <a href="https://github.com/samuelcolvin/pydantic">Pydantic</a>.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I already checked if it is not related to FastAPI but to <a href="https://github.com/swagger-api/swagger-ui">Swagger UI</a>.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I already checked if it is not related to FastAPI but to <a href="https://github.com/Redocly/redoc">ReDoc</a>.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> After submitting this, I commit to one of: <ul dir="auto"> <li>Read open issues with questions until I find 2 issues where I can help someone and add a comment to help there.</li> <li>I already hit the "watch" button in this repository to receive notifications and I commit to help at least 2 people that ask questions in the future.</li> <li>Implement a Pull Request for a confirmed bug.</li> </ul> </li> </ul> <h3 dir="auto">Example</h3> <p dir="auto">Here's a self-contained, <a href="https://stackoverflow.com/help/minimal-reproducible-example" rel="nofollow">minimal, reproducible, example</a> with my use case:</p> <div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" import logging from pydantic import BaseModel from fastapi import FastAPI, Depends, Request logger = logging.Logger(__name__) class UserModel(BaseModel): username: str name: str = None app = FastAPI() @Depends def get_user_model_data(model: UserModel): print(&quot;Running function get_user_model_data&quot;) return model.dict(exclude_unset=True) @Depends def log_new_users(request: Request, data: dict = get_user_model_data): logger.info(f'Got request from {request.client.host} with username {model.username}') @app.post('/users', dependencies=[log_new_users]) def create_account(data: dict = get_user_model_data): return { &quot;status&quot;: &quot;OK&quot;, &quot;data&quot;: data, } "><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">logging</span> <span class="pl-k">from</span> <span class="pl-s1">pydantic</span> <span class="pl-k">import</span> <span class="pl-v">BaseModel</span> <span class="pl-k">from</span> <span class="pl-s1">fastapi</span> <span class="pl-k">import</span> <span class="pl-v">FastAPI</span>, <span class="pl-v">Depends</span>, <span class="pl-v">Request</span> <span class="pl-s1">logger</span> <span class="pl-c1">=</span> <span class="pl-s1">logging</span>.<span class="pl-v">Logger</span>(<span class="pl-s1">__name__</span>) <span class="pl-k">class</span> <span class="pl-v">UserModel</span>(<span class="pl-v">BaseModel</span>): <span class="pl-s1">username</span>: <span class="pl-s1">str</span> <span class="pl-s1">name</span>: <span class="pl-s1">str</span> <span class="pl-c1">=</span> <span class="pl-c1">None</span> <span class="pl-s1">app</span> <span class="pl-c1">=</span> <span class="pl-v">FastAPI</span>() <span class="pl-en">@<span class="pl-v">Depends</span></span> <span class="pl-k">def</span> <span class="pl-en">get_user_model_data</span>(<span class="pl-s1">model</span>: <span class="pl-v">UserModel</span>): <span class="pl-en">print</span>(<span class="pl-s">"Running function get_user_model_data"</span>) <span class="pl-k">return</span> <span class="pl-s1">model</span>.<span class="pl-en">dict</span>(<span class="pl-s1">exclude_unset</span><span class="pl-c1">=</span><span class="pl-c1">True</span>) <span class="pl-en">@<span class="pl-v">Depends</span></span> <span class="pl-k">def</span> <span class="pl-en">log_new_users</span>(<span class="pl-s1">request</span>: <span class="pl-v">Request</span>, <span class="pl-s1">data</span>: <span class="pl-s1">dict</span> <span class="pl-c1">=</span> <span class="pl-s1">get_user_model_data</span>): <span class="pl-s1">logger</span>.<span class="pl-en">info</span>(<span class="pl-s">f'Got request from <span class="pl-s1"><span class="pl-kos">{</span><span class="pl-s1">request</span>.<span class="pl-s1">client</span>.<span class="pl-s1">host</span><span class="pl-kos">}</span></span> with username <span class="pl-s1"><span class="pl-kos">{</span><span class="pl-s1">model</span>.<span class="pl-s1">username</span><span class="pl-kos">}</span></span>'</span>) <span class="pl-en">@<span class="pl-s1">app</span>.<span class="pl-en">post</span>(<span class="pl-s">'/users'</span>, <span class="pl-s1">dependencies</span><span class="pl-c1">=</span>[<span class="pl-s1">log_new_users</span>])</span> <span class="pl-k">def</span> <span class="pl-en">create_account</span>(<span class="pl-s1">data</span>: <span class="pl-s1">dict</span> <span class="pl-c1">=</span> <span class="pl-s1">get_user_model_data</span>): <span class="pl-k">return</span> { <span class="pl-s">"status"</span>: <span class="pl-s">"OK"</span>, <span class="pl-s">"data"</span>: <span class="pl-s1">data</span>, }</pre></div> <h3 dir="auto">Description</h3> <p dir="auto">Above is a simple application with a /users endpoint using a pydantic model which requires a username in the post body.<br> when the model validation passes all is fine. But when model validation fails, the model is validated for each depends separately resulting in duplicated errors.</p> <p dir="auto">I would expect that it should be cached even when there are errors so it is validated only once.</p> <ul dir="auto"> <li>Run the app</li> <li>execute <code class="notranslate">curl -X POST "http://127.0.0.1:8000/api/users" -H "Content-Type: application/json" -d '{"username":null, "name":"string"}'</code><br> it will result in duplicate error as follows</li> </ul> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="{ &quot;detail&quot;: [ { &quot;loc&quot;: [ &quot;body&quot;, &quot;username&quot; ], &quot;msg&quot;: &quot;none is not an allowed value&quot;, &quot;type&quot;: &quot;type_error.none.not_allowed&quot; }, { &quot;loc&quot;: [ &quot;body&quot;, &quot;username&quot; ], &quot;msg&quot;: &quot;none is not an allowed value&quot;, &quot;type&quot;: &quot;type_error.none.not_allowed&quot; } ] }"><pre class="notranslate"><code class="notranslate">{ "detail": [ { "loc": [ "body", "username" ], "msg": "none is not an allowed value", "type": "type_error.none.not_allowed" }, { "loc": [ "body", "username" ], "msg": "none is not an allowed value", "type": "type_error.none.not_allowed" } ] } </code></pre></div> <h3 dir="auto">Environment</h3> <ul dir="auto"> <li> <p dir="auto">OS: macOS:</p> </li> <li> <p dir="auto">FastAPI Version 0.63.0:</p> </li> <li> <p dir="auto">Python version: 3.9.1</p> </li> </ul>
<p dir="auto">Really impressed with FastAPI so far... I have search docs github, tickets and googled the issue described below.</p> <h3 dir="auto">Description</h3> <p dir="auto">How best to work with related tables and corresponding nested pydantic models whilst persisting data in a relational database in an async application?</p> <h3 dir="auto">Additional context</h3> <p dir="auto">I have been attempting to extend the example in the docs<br> <a href="https://fastapi.tiangolo.com/advanced/async-sql-databases/" rel="nofollow">https://fastapi.tiangolo.com/advanced/async-sql-databases/</a><br> which relies on <a href="https://github.com/encode/databases">https://github.com/encode/databases</a></p> <p dir="auto">Using three test pydantic models as an example:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="class UserModel(BaseModel): id: int title: str = Field(..., min_length=2, max_length=50) firstname: str = Field(..., min_length=1, max_length=50) firstname: str = Field(..., min_length=1, max_length=50) username: str = Field(..., min_length=3, max_length=50) email: str = Field(..., min_length=3, max_length=50) favourite_book: int = Field(...) class FavouriteBook(BaseModel): id: int title: str = Field(...) author: str = Field(...) class ExtendedUser(BaseModel): id: int title: str = Field(..., min_length=2, max_length=50) firstname: str = Field(..., min_length=1, max_length=50) firstname: str = Field(..., min_length=1, max_length=50) username: str = Field(..., min_length=3, max_length=50) email: str = Field(..., min_length=3, max_length=50) favourite_book: FavouriteBook "><pre class="notranslate"><code class="notranslate">class UserModel(BaseModel): id: int title: str = Field(..., min_length=2, max_length=50) firstname: str = Field(..., min_length=1, max_length=50) firstname: str = Field(..., min_length=1, max_length=50) username: str = Field(..., min_length=3, max_length=50) email: str = Field(..., min_length=3, max_length=50) favourite_book: int = Field(...) class FavouriteBook(BaseModel): id: int title: str = Field(...) author: str = Field(...) class ExtendedUser(BaseModel): id: int title: str = Field(..., min_length=2, max_length=50) firstname: str = Field(..., min_length=1, max_length=50) firstname: str = Field(..., min_length=1, max_length=50) username: str = Field(..., min_length=3, max_length=50) email: str = Field(..., min_length=3, max_length=50) favourite_book: FavouriteBook </code></pre></div> <p dir="auto">the route would ideally be along the lines of...</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="@router.get(&quot;/extended&quot;, response_model=List[ExtendedUser]) async def list(): query = **sqlAlchemy/databases call that works** return database.fetch_all(query=query) "><pre class="notranslate"><code class="notranslate">@router.get("/extended", response_model=List[ExtendedUser]) async def list(): query = **sqlAlchemy/databases call that works** return database.fetch_all(query=query) </code></pre></div> <p dir="auto">How can a user create a route that returns the nested ExtendedUser from the database without resorting to performing two queries?<br> An SQL join is a standard way to do this with a single query. However, this does not work with SQLAlchemy core as the two tables contain 'id' and 'title' columns.<br> It is possible to work with SQLAlchemy orm - but not in an async way as far as I know. (async is my reason for using FastAPI ). I could rename the columns to something unique ( but to rename 'id' column seems like poor database design to me).</p>
0
<p dir="auto">The encoding/json package marshals RawMessage properly or incorrectly as base64 based on whether its container is marshaled by value or as a pointer, which is extremely subtle and trivial to get wrong silently.</p> <p dir="auto">It also consistently fails to marshal the RawMessage value properly when used as a map value type.</p> <p dir="auto">Sample code demonstrating these problems:</p> <p dir="auto"><a href="https://play.golang.org/p/bHuvfyb7qB" rel="nofollow">https://play.golang.org/p/bHuvfyb7qB</a></p>
<pre class="notranslate">The current json.RawMessage implementation defines MarshalJSON on a pointer receiver. This causes unexpected behavior when marshalling with non-pointer-receiver objects. For example: <a href="http://play.golang.org/p/Cf_6zpIKC0" rel="nofollow">http://play.golang.org/p/Cf_6zpIKC0</a> Instead, MarshalJSON should be defined on a non-pointer receiver for json.RawMessage. This will continue to work for existing code that uses pointer-receivers, but will change behavior to work "correctly" on code that accidentally uses non-pointer-receivers.</pre>
1
<p dir="auto">It would be great to have an implementation for passwordless signon. Its an option in firebase but not the plugin. Can we add a method and documentation for this?</p>
<p dir="auto">It seems like there is currently no option to use the email-only authentication with the firebase_auth plugin.</p>
1
<p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/scipy/ticket/1016" rel="nofollow">http://projects.scipy.org/scipy/ticket/1016</a> on 2009-10-09 by trac user elambert, assigned to unknown.</em></p> <p dir="auto">We experienced problems with a script that is executed in MPIRUN on multiple cores (and possibly multiple nodes) because the temporary path used for generation and compilation was not always unique.</p> <p dir="auto">IN catalog.py, FUNCTION intermediate_dir() AS FOLLOWS :</p> <p dir="auto">def intermediate_dir():</p> <p dir="auto">...</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="mypid=os.getpid() myhostname = socket.gethostname() myrandom = random.randint(0,128000) path = os.path.join(tempfile.gettempdir(),&quot;%s%s%s%i&quot;%(myhostname,whoami(),mypid,myrandom),python_name)"><pre class="notranslate"><code class="notranslate">mypid=os.getpid() myhostname = socket.gethostname() myrandom = random.randint(0,128000) path = os.path.join(tempfile.gettempdir(),"%s%s%s%i"%(myhostname,whoami(),mypid,myrandom),python_name) </code></pre></div> <p dir="auto">...</p> <p dir="auto">see also:<br> <a href="http://projects.scipy.org/scipy/ticket/1015" rel="nofollow">http://projects.scipy.org/scipy/ticket/1015</a></p>
<p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/scipy/ticket/1016" rel="nofollow">http://projects.scipy.org/scipy/ticket/1016</a> on 2009-10-09 by trac user elambert, assigned to unknown.</em></p> <p dir="auto">We experienced problems with a script that is executed in MPIRUN on multiple cores (and possibly multiple nodes) because the temporary path used for generation and compilation was not always unique.</p> <p dir="auto">IN catalog.py, FUNCTION intermediate_dir() AS FOLLOWS :</p> <p dir="auto">def intermediate_dir():</p> <p dir="auto">...</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="mypid=os.getpid() myhostname = socket.gethostname() myrandom = random.randint(0,128000) path = os.path.join(tempfile.gettempdir(),&quot;%s%s%s%i&quot;%(myhostname,whoami(),mypid,myrandom),python_name)"><pre class="notranslate"><code class="notranslate">mypid=os.getpid() myhostname = socket.gethostname() myrandom = random.randint(0,128000) path = os.path.join(tempfile.gettempdir(),"%s%s%s%i"%(myhostname,whoami(),mypid,myrandom),python_name) </code></pre></div> <p dir="auto">...</p> <p dir="auto">see also:<br> <a href="http://projects.scipy.org/scipy/ticket/1015" rel="nofollow">http://projects.scipy.org/scipy/ticket/1015</a></p>
1
<p dir="auto">Currently (on Windows) when you open a file via command line with <em>--reuse-window</em> the file is opened but Code just flashes its icon on the taskbar staying in background.<br> Please consider adding a commandline option --bring-to-front or bring Code window to front regardless when file is opened from the command line.</p> <p dir="auto">//VS Code 0.10.1 on Windows 7 Professional SP1</p>
<p dir="auto">In my 0.10.11 version, chalk console logging using chalk works. In the 0.10.12-insider version it doesn't.</p> <ul dir="auto"> <li>VSCode Version: 0.10.12-insider</li> <li>OS Version: Windows 10</li> <li>Language: TypeScript 1.8.9, Node 4.1.1, Mocha 2.3.4,</li> <li>Launch:</li> </ul> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" { &quot;name&quot;: &quot;[WP] test&quot;, &quot;type&quot;: &quot;node&quot;, &quot;request&quot;: &quot;launch&quot;, &quot;program&quot;: &quot;${workspaceRoot}/node_modules/mocha/bin/_mocha&quot;, &quot;stopOnEntry&quot;: false, &quot;args&quot;: [ &quot;test.bundle.js&quot;, &quot;--no-timeouts&quot;, &quot;--max_old_space_size=2048&quot;, &quot;--colors&quot; ], &quot;cwd&quot;: &quot;${workspaceRoot}/bin-webpack/test&quot;, &quot;runtimeExecutable&quot;: null, &quot;runtimeArgs&quot;: [], &quot;env&quot;: {}, &quot;sourceMaps&quot;: true, &quot;outDir&quot;: &quot;${workspaceRoot}/bin-webpack/test&quot; },"><pre class="notranslate"><code class="notranslate"> { "name": "[WP] test", "type": "node", "request": "launch", "program": "${workspaceRoot}/node_modules/mocha/bin/_mocha", "stopOnEntry": false, "args": [ "test.bundle.js", "--no-timeouts", "--max_old_space_size=2048", "--colors" ], "cwd": "${workspaceRoot}/bin-webpack/test", "runtimeExecutable": null, "runtimeArgs": [], "env": {}, "sourceMaps": true, "outDir": "${workspaceRoot}/bin-webpack/test" }, </code></pre></div> <p dir="auto">Steps to Reproduce:</p> <ol dir="auto"> <li><code class="notranslate">import chalk = require('chalk');</code></li> <li><code class="notranslate">console.log(chalk.magenta('some text'));</code></li> </ol>
0
<p dir="auto">I'm from the moment.js (<a href="https://github.com/moment">http://github.com/moment</a>) team, and some of our users that are also your users voice concerns that because of the way webpack is implemented all moment locale files (currently 104) are bundled together, and that increases the size of what is downloaded to the browser.</p> <p dir="auto">Recently there was a suggested "fix" in the moment code (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="168856175" data-permission-text="Title is private" data-url="https://github.com/moment/moment/issues/3344" data-hovercard-type="pull_request" data-hovercard-url="/moment/moment/pull/3344/hovercard" href="https://github.com/moment/moment/pull/3344">moment/moment#3344</a>), but then we figured it broke the require mechanism for other environments.</p> <p dir="auto">Also we happen to have no instructions on how to use moment and webpack (like here: <a href="http://momentjs.com/docs/#/use-it/" rel="nofollow">http://momentjs.com/docs/#/use-it/</a>).</p> <p dir="auto">Can you please give us a hand by saying what is the right way to use moment with webpack, so it won't include all locale files if the user wants so. I hope this will decrease number of issues sent to both projects :)</p> <p dir="auto">Note: A webpack user suggested the following: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="26100593" data-permission-text="Title is private" data-url="https://github.com/moment/moment/issues/1435" data-hovercard-type="issue" data-hovercard-url="/moment/moment/issues/1435/hovercard?comment_id=187100876&amp;comment_type=issue_comment" href="https://github.com/moment/moment/issues/1435#issuecomment-187100876">moment/moment#1435 (comment)</a> but nobody has documented it yet: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="135963901" data-permission-text="Title is private" data-url="https://github.com/moment/momentjs.com/issues/269" data-hovercard-type="issue" data-hovercard-url="/moment/momentjs.com/issues/269/hovercard" href="https://github.com/moment/momentjs.com/issues/269">moment/momentjs.com#269</a></p>
<p dir="auto"><strong>Do you want to request a <em>feature</em> or report a <em>bug</em>?</strong><br> bug</p> <p dir="auto"><strong>What is the current behavior?</strong><br> Declaring multiple loaders with same <code class="notranslate">test</code> but different <code class="notranslate">issuer</code> stopped working in webpack 4</p> <p dir="auto"><strong>If the current behavior is a bug, please provide the steps to reproduce.</strong></p> <p dir="auto">See <a href="https://github.com/Hypnosphi/webpack-issuer-repro">https://github.com/Hypnosphi/webpack-issuer-repro</a><br> Note the duplicate keys <code class="notranslate">./circle.svg</code> <a href="https://github.com/Hypnosphi/webpack-issuer-repro/blob/master/dist/main.js#L27-L47">https://github.com/Hypnosphi/webpack-issuer-repro/blob/master/dist/main.js#L27-L47</a></p> <p dir="auto"><strong>What is the expected behavior?</strong></p> <p dir="auto"><code class="notranslate">a.js</code> should get base64-encoded string, and <code class="notranslate">b.js</code> should get the file reference</p>
0
<p dir="auto">There's a strange bug that is causing segfaults and other behaviour in Julia 0.4 that's being triggered in ApproxFun. Sorry I haven't been able to narrow it down further but I reduced it to the following, where <code class="notranslate">S.op</code> is bizarrely a <code class="notranslate">DataType</code> instead of an instance of the type:</p> <div class="highlight highlight-source-julia notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="Pkg.checkout(&quot;ApproxFun&quot;,&quot;development&quot;) using ApproxFun import ApproxFun: SpaceOperator m=MappedSpace(Ray(),Ultraspherical{1}()) sp=MappedSpace(Ray(),JacobiWeight(0.,-1.,Ultraspherical{1}())) C=Conversion(m.space,sp.space) S=SpaceOperator(C,m,sp) S.op|&gt;typeof # returns DataType instead of typeof(C)"><pre class="notranslate">Pkg<span class="pl-k">.</span><span class="pl-c1">checkout</span>(<span class="pl-s"><span class="pl-pds">"</span>ApproxFun<span class="pl-pds">"</span></span>,<span class="pl-s"><span class="pl-pds">"</span>development<span class="pl-pds">"</span></span>) <span class="pl-k">using</span> ApproxFun <span class="pl-k">import</span> ApproxFun<span class="pl-k">:</span> SpaceOperator m<span class="pl-k">=</span><span class="pl-c1">MappedSpace</span>(<span class="pl-c1">Ray</span>(),<span class="pl-c1">Ultraspherical</span><span class="pl-c1">{1}</span>()) sp<span class="pl-k">=</span><span class="pl-c1">MappedSpace</span>(<span class="pl-c1">Ray</span>(),<span class="pl-c1">JacobiWeight</span>(<span class="pl-c1">0.</span>,<span class="pl-k">-</span><span class="pl-c1">1.</span>,<span class="pl-c1">Ultraspherical</span><span class="pl-c1">{1}</span>())) C<span class="pl-k">=</span><span class="pl-c1">Conversion</span>(m<span class="pl-k">.</span>space,sp<span class="pl-k">.</span>space) S<span class="pl-k">=</span><span class="pl-c1">SpaceOperator</span>(C,m,sp) S<span class="pl-k">.</span>op<span class="pl-k">|&gt;</span>typeof <span class="pl-c"><span class="pl-c">#</span> returns DataType instead of typeof(C)</span></pre></div> <p dir="auto">The definition of <code class="notranslate">SpaceOperator</code> doesn't allow <code class="notranslate">S.op</code> to be a DataType:</p> <div class="highlight highlight-source-julia notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="immutable SpaceOperator{T,O&lt;:Operator,S&lt;:FunctionSpace,V&lt;:FunctionSpace} &lt;: BandedOperator{T} op::O domainspace::S rangespace::V end"><pre class="notranslate">immutable SpaceOperator{T,O<span class="pl-k">&lt;:</span><span class="pl-c1">Operator</span>,S<span class="pl-k">&lt;:</span><span class="pl-c1">FunctionSpace</span>,V<span class="pl-k">&lt;:</span><span class="pl-c1">FunctionSpace</span>} <span class="pl-k">&lt;:</span> <span class="pl-c1">BandedOperator{T}</span> op<span class="pl-k">::</span><span class="pl-c1">O</span> domainspace<span class="pl-k">::</span><span class="pl-c1">S</span> rangespace<span class="pl-k">::</span><span class="pl-c1">V</span> <span class="pl-k">end</span></pre></div> <p dir="auto">I believe the bug is triggered by an error in a Base.convert overrides, but even so, it shouldn't propagate like this.</p>
<div class="highlight highlight-source-julia notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="julia&gt; type Foo{N} x::Array{Int,N} end julia&gt; Foo() = Foo([1,2,3]) Foo{N} julia&gt; @which Foo() call(::Type{Foo{N}}) at none:1 julia&gt; @code_typed Foo() 1-element Array{Any,1}: :($(Expr(:lambda, Any[symbol(&quot;#s1&quot;),:(args::Any...)], Any[Any[],Any[Any[symbol(&quot;#s1&quot;),Type{Foo{N}},0],Any[:args,Tuple{},0]],Any[],Any[]], :(begin # essentials.jl, line 44: return (top(typeassert))(convert(T),T)::Foo{N} end::Foo{N})))) julia&gt; code_typed(call, Tuple{Type{Foo}}) 1-element Array{Any,1}: :($(Expr(:lambda, Any[symbol(&quot;##1936&quot;)], Any[Any[],Any[],Any[],Any[Array{Int64,1}]], :(begin # none, line 1: GenSym(0) = (top(vect))(1,2,3)::Array{Int64,1} return $(Expr(:new, Foo{1}, GenSym(0))) end::Foo{1}))))"><pre class="notranslate">julia<span class="pl-k">&gt;</span> type Foo{N} x<span class="pl-k">::</span><span class="pl-c1">Array{Int,N}</span> <span class="pl-k">end</span> julia<span class="pl-k">&gt;</span> <span class="pl-en">Foo</span>() <span class="pl-k">=</span> <span class="pl-c1">Foo</span>([<span class="pl-c1">1</span>,<span class="pl-c1">2</span>,<span class="pl-c1">3</span>]) Foo{N} julia<span class="pl-k">&gt;</span> <span class="pl-c1">@which</span> <span class="pl-c1">Foo</span>() <span class="pl-c1">call</span>(<span class="pl-k">::</span><span class="pl-c1">Type{Foo{N}}</span>) at none<span class="pl-k">:</span><span class="pl-c1">1</span> julia<span class="pl-k">&gt;</span> <span class="pl-c1">@code_typed</span> <span class="pl-c1">Foo</span>() <span class="pl-c1">1</span><span class="pl-k">-</span>element Array{Any,<span class="pl-c1">1</span>}<span class="pl-k">:</span> :(<span class="pl-k">$</span>(<span class="pl-c1">Expr</span>(<span class="pl-c1">:lambda</span>, Any[<span class="pl-c1">symbol</span>(<span class="pl-s"><span class="pl-pds">"</span>#s1<span class="pl-pds">"</span></span>),:(args<span class="pl-k">::</span><span class="pl-c1">Any...</span>)], Any[Any[],Any[Any[<span class="pl-c1">symbol</span>(<span class="pl-s"><span class="pl-pds">"</span>#s1<span class="pl-pds">"</span></span>),Type{Foo{N}},<span class="pl-c1">0</span>],Any[<span class="pl-c1">:args</span>,Tuple{},<span class="pl-c1">0</span>]],Any[],Any[]], :(<span class="pl-k">begin</span> <span class="pl-c"><span class="pl-c">#</span> essentials.jl, line 44:</span> <span class="pl-k">return</span> (<span class="pl-c1">top</span>(typeassert))(<span class="pl-c1">convert</span>(T),T)<span class="pl-k">::</span><span class="pl-c1">Foo{N}</span> <span class="pl-k">end</span><span class="pl-k">::</span><span class="pl-c1">Foo{N}</span>)))) julia<span class="pl-k">&gt;</span> <span class="pl-c1">code_typed</span>(call, Tuple{Type{Foo}}) <span class="pl-c1">1</span><span class="pl-k">-</span>element Array{Any,<span class="pl-c1">1</span>}<span class="pl-k">:</span> :(<span class="pl-k">$</span>(<span class="pl-c1">Expr</span>(<span class="pl-c1">:lambda</span>, Any[<span class="pl-c1">symbol</span>(<span class="pl-s"><span class="pl-pds">"</span>##1936<span class="pl-pds">"</span></span>)], Any[Any[],Any[],Any[],Any[Array{Int64,<span class="pl-c1">1</span>}]], :(<span class="pl-k">begin</span> <span class="pl-c"><span class="pl-c">#</span> none, line 1:</span> <span class="pl-en">GenSym</span>(<span class="pl-c1">0</span>) <span class="pl-k">=</span> (<span class="pl-c1">top</span>(vect))(<span class="pl-c1">1</span>,<span class="pl-c1">2</span>,<span class="pl-c1">3</span>)<span class="pl-k">::</span><span class="pl-c1">Array{Int64,1}</span> <span class="pl-k">return</span> <span class="pl-k">$</span>(<span class="pl-c1">Expr</span>(<span class="pl-c1">:new</span>, Foo{<span class="pl-c1">1</span>}, <span class="pl-c1">GenSym</span>(<span class="pl-c1">0</span>))) <span class="pl-k">end</span><span class="pl-k">::</span><span class="pl-c1">Foo{1}</span>))))</pre></div>
1
<p dir="auto">I build a local flutter engine project. I get a file named <code class="notranslate">flutter.jar</code>. I copy this file to Flutter sdk.<br> The path is <code class="notranslate">flutter/bin/cache/artifacts/engine/android-arm64</code>. I run a Flutter project and get a crash</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[FATAL:flutter/runtime/dart_vm.cc(422)] Error while initializing the Dart VM: Wrong full snapshot version, expected '6891e4153091f27bfe9ab236374f51a1' found '77ed80617eb2b1627e6c51ae7252c677'"><pre class="notranslate"><code class="notranslate">[FATAL:flutter/runtime/dart_vm.cc(422)] Error while initializing the Dart VM: Wrong full snapshot version, expected '6891e4153091f27bfe9ab236374f51a1' found '77ed80617eb2b1627e6c51ae7252c677' </code></pre></div> <p dir="auto">I cant use <code class="notranslate">flutter run --local-engine android_debug</code> because I use Flutter project on an existing Android project.<br> How can I use my own engine jar in my project?</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[✓] Flutter (Channel master, v0.5.8-pre.290, on Mac OS X 10.13.6 17G65, locale zh-Hans-CN) • Flutter version 0.5.8-pre.290 at /Users/joyuan/Documents/work/workspace/workspace_ali/workspace_flutter/flutter • Framework revision 9cb0b21e9c (2 hours ago), 2018-08-10 09:56:13 +0200 • Engine revision e54bc4ea18 • Dart version 2.0.0-dev.69.5.flutter-eab492385c [✓] Android toolchain - develop for Android devices (Android SDK 27.0.3) • Android SDK at /Users/joyuan/Documents/work/tools/sdk • Android NDK at /Users/joyuan/Documents/work/tools/sdk/ndk-bundle • Platform android-27, build-tools 27.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_112-release-b06) • All Android licenses accepted. [!] iOS toolchain - develop for iOS devices (Xcode 9.3) • Xcode at /Applications/Xcode.app/Contents/Developer • Xcode 9.3, Build version 9E145 ✗ libimobiledevice and ideviceinstaller are not installed. To install, run: brew install --HEAD libimobiledevice brew install ideviceinstaller ✗ ios-deploy not installed. To install: brew install ios-deploy ✗ CocoaPods not installed. CocoaPods is used to retrieve the iOS platform side's plugin code that responds to your plugin usage on the Dart side. Without resolving iOS dependencies with CocoaPods, plugins will not work on iOS. For more info, see https://flutter.io/platform-plugins To install: brew install cocoapods pod setup [✓] Android Studio • Android Studio at /Applications/Android Studio 3.2 Preview.app/Contents ✗ Flutter plugin not installed; this adds Flutter specific functionality. ✗ Dart plugin not installed; this adds Dart specific functionality. • Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1136-b04) [✓] Android Studio (version 2.3) • Android Studio at /Applications/Android Studio.app/Contents ✗ Flutter plugin not installed; this adds Flutter specific functionality. ✗ Dart plugin not installed; this adds Dart specific functionality. • Java version OpenJDK Runtime Environment (build 1.8.0_112-release-b06) [✓] IntelliJ IDEA Ultimate Edition (version 2017.2.7) • IntelliJ at /Applications/IntelliJ IDEA.app • Flutter plugin version 21.2.2 • Dart plugin version 172.4343.25 [✓] Connected devices (1 available) • MI 5 • de7f556 • android-arm64 • Android 8.0.0 (API 26)"><pre class="notranslate"><code class="notranslate">[✓] Flutter (Channel master, v0.5.8-pre.290, on Mac OS X 10.13.6 17G65, locale zh-Hans-CN) • Flutter version 0.5.8-pre.290 at /Users/joyuan/Documents/work/workspace/workspace_ali/workspace_flutter/flutter • Framework revision 9cb0b21e9c (2 hours ago), 2018-08-10 09:56:13 +0200 • Engine revision e54bc4ea18 • Dart version 2.0.0-dev.69.5.flutter-eab492385c [✓] Android toolchain - develop for Android devices (Android SDK 27.0.3) • Android SDK at /Users/joyuan/Documents/work/tools/sdk • Android NDK at /Users/joyuan/Documents/work/tools/sdk/ndk-bundle • Platform android-27, build-tools 27.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_112-release-b06) • All Android licenses accepted. [!] iOS toolchain - develop for iOS devices (Xcode 9.3) • Xcode at /Applications/Xcode.app/Contents/Developer • Xcode 9.3, Build version 9E145 ✗ libimobiledevice and ideviceinstaller are not installed. To install, run: brew install --HEAD libimobiledevice brew install ideviceinstaller ✗ ios-deploy not installed. To install: brew install ios-deploy ✗ CocoaPods not installed. CocoaPods is used to retrieve the iOS platform side's plugin code that responds to your plugin usage on the Dart side. Without resolving iOS dependencies with CocoaPods, plugins will not work on iOS. For more info, see https://flutter.io/platform-plugins To install: brew install cocoapods pod setup [✓] Android Studio • Android Studio at /Applications/Android Studio 3.2 Preview.app/Contents ✗ Flutter plugin not installed; this adds Flutter specific functionality. ✗ Dart plugin not installed; this adds Dart specific functionality. • Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1136-b04) [✓] Android Studio (version 2.3) • Android Studio at /Applications/Android Studio.app/Contents ✗ Flutter plugin not installed; this adds Flutter specific functionality. ✗ Dart plugin not installed; this adds Dart specific functionality. • Java version OpenJDK Runtime Environment (build 1.8.0_112-release-b06) [✓] IntelliJ IDEA Ultimate Edition (version 2017.2.7) • IntelliJ at /Applications/IntelliJ IDEA.app • Flutter plugin version 21.2.2 • Dart plugin version 172.4343.25 [✓] Connected devices (1 available) • MI 5 • de7f556 • android-arm64 • Android 8.0.0 (API 26) </code></pre></div>
<p dir="auto">I tried to use Charles to check the request ,but nothing is shown , any ideas?</p>
0
<p dir="auto"><strong>Current behavior:</strong> When using the "Override Windows Snap shortcut (Win + Arrow) to move windows between zones" the current application remains the active window.</p> <p dir="auto"><strong>Prefered behavior:</strong> When using the "Override Windows Snap shortcut (Win + Arrow) to move windows between zones" any application in the 'current' zone become the active window.</p> <p dir="auto">Here is a paint drawing, to make it more clear:<br> <a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/29060229/89284722-7f9d5800-d64f-11ea-93ff-83958a4a01a6.png"><img src="https://user-images.githubusercontent.com/29060229/89284722-7f9d5800-d64f-11ea-93ff-83958a4a01a6.png" alt="image" style="max-width: 100%;"></a></p> <p dir="auto">Consider the following:<br> Situation 1 is the situation before using the shortcut to move windows between zones. Let's say Application A (in zone 1) is currently active.</p> <p dir="auto">Situation 2<br> Windows have been moved between zones. In the current situation Application A would still be active, regardless of in which zone it resides.</p> <p dir="auto">I would prefer to make whatever now is in Zone 1 (Application C in this case) active. This would enhance my workflow a lot and it seems more intuitive to me.</p>
<h1 dir="auto">Disable window overlap in zones &amp; cause force rotate.</h1> <p dir="auto">This would turn the Win + Arrow to rotate all windows through the zones. Allowing for better use of Priority Grid type Layouts. . This option would have to only be optional when "Override windows snap hotkey" is enabled.</p> <p dir="auto">At this point the larger or top (if stacked) zone and window would stay active. This is beneficial if your switching between excel and doc type functions, even VS code when referencing other documents.</p> <p dir="auto">Thank You</p>
1
<p dir="auto">This is a duplicate of <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="16682354" data-permission-text="Title is private" data-url="https://github.com/JuliaLang/julia/issues/3695" data-hovercard-type="issue" data-hovercard-url="/JuliaLang/julia/issues/3695/hovercard" href="https://github.com/JuliaLang/julia/issues/3695">#3695</a>, followed by more bad behavior. This is a relatively recent <code class="notranslate">.julia</code> directory that has only been used with Pkg2 (AFAIK) and only has one package installed (Options).</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="julia&gt; Pkg2.add(&quot;Winston&quot;) MESSAGE: Cloning BinDeps from git://github.com/loladiro/BinDeps.jl.git MESSAGE: Cloning Winston from git://github.com/nolta/Winston.jl.git MESSAGE: Cloning Cairo from git://github.com/JuliaLang/Cairo.jl.git MESSAGE: Cloning Color from git://github.com/JuliaLang/Color.jl.git MESSAGE: Cloning IniFile from git://github.com/JuliaLang/IniFile.jl.git MESSAGE: Cloning Tk from git://github.com/JuliaLang/Tk.jl.git MESSAGE: Installing BinDeps v0.2.0 MESSAGE: Upgrading Options: v0.2.1- =&gt; v0.2.1 fatal: reference is not a tree: f1417b80ec7f3338275b2b692f7dc33289e50935 MESSAGE: Rolling back install of BinDeps MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException(&quot;failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]&quot;)MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException(&quot;failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]&quot;)MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException(&quot;failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]&quot;)MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException(&quot;failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]&quot;)MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException(&quot;failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]&quot;)MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException(&quot;failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]&quot;)MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException(&quot;failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]&quot;)MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException(&quot;failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]&quot;)MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ..."><pre class="notranslate"><code class="notranslate">julia&gt; Pkg2.add("Winston") MESSAGE: Cloning BinDeps from git://github.com/loladiro/BinDeps.jl.git MESSAGE: Cloning Winston from git://github.com/nolta/Winston.jl.git MESSAGE: Cloning Cairo from git://github.com/JuliaLang/Cairo.jl.git MESSAGE: Cloning Color from git://github.com/JuliaLang/Color.jl.git MESSAGE: Cloning IniFile from git://github.com/JuliaLang/IniFile.jl.git MESSAGE: Cloning Tk from git://github.com/JuliaLang/Tk.jl.git MESSAGE: Installing BinDeps v0.2.0 MESSAGE: Upgrading Options: v0.2.1- =&gt; v0.2.1 fatal: reference is not a tree: f1417b80ec7f3338275b2b692f7dc33289e50935 MESSAGE: Rolling back install of BinDeps MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException("failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]")MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException("failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]")MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException("failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]")MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException("failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]")MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException("failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]")MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException("failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]")MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException("failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]")MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ErrorException("failed process: Process(`mv BinDeps .trash/`, ProcessExited(1)) [1]")MESSAGE: Rolling back install of BinDeps mv: cannot stat `BinDeps': No such file or directory ... </code></pre></div>
<p dir="auto">I am running 1.63 on intel mac and 1.7 beta on M1 mac. both have this. Julia is inconsistent in how it creates anonymous functions with an if statement. If I create one outside of a function it respects the if, but not inside.</p> <p dir="auto">here is output that should be the same<br> julia&gt; f3()<br> f2<br> julia&gt; fff()<br> f1</p> <p dir="auto">and the code</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="function f1() println(&quot;f1&quot;) end function f2() println(&quot;f2&quot;) end f3=function() if 1==1 ff()=f1() end if 1==2 ff()=f2() end ff() end if 1==1 fff()=f1() end if 1==2 fff()=f2() end fff() f3()"><pre class="notranslate"><code class="notranslate">function f1() println("f1") end function f2() println("f2") end f3=function() if 1==1 ff()=f1() end if 1==2 ff()=f2() end ff() end if 1==1 fff()=f1() end if 1==2 fff()=f2() end fff() f3() </code></pre></div>
0
<p dir="auto"><strong>List of Python 8 byte integers are not always correctly converted to np.uint64 arrays.</strong></p> <p dir="auto">Lists of 64 bit integers are inconsistently converted into np.arrays. For example, If you convert the list "test" below, the values in the array are not the same as the values in the original list. If, however, you take the first 3 items they do get converted correctly. If you convert the items individually you also get the correct results.</p> <p dir="auto">Any views?</p> <div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import numpy as np test =[2573020360226874006, 3380361604350789900, 4859923904345895640, 13687853399390180967] print(&quot;A list of 4 integers - Note: they are not identical&quot;) print(test) converted_numbers = np.array(test).astype(np.uint64) print(converted_numbers) print(&quot; &quot;) print(&quot;The first 3 integers - Note they are identical&quot;) test1 = test[:-1] print(test1) converted_numbers1 = np.array(test1).astype(np.uint64) print(converted_numbers1) print(&quot; &quot;) print(&quot;The last integer&quot;) test2 = test[-1] print(test2) converted_numbers2 = np.array([test2]).astype(np.uint64) print(converted_numbers2) print(&quot;\n&quot;,&quot;The integers converted individually&quot;) for num in test: z = np.uint64(num) print(num,z) "><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">test</span> <span class="pl-c1">=</span>[<span class="pl-c1">2573020360226874006</span>, <span class="pl-c1">3380361604350789900</span>, <span class="pl-c1">4859923904345895640</span>, <span class="pl-c1">13687853399390180967</span>] <span class="pl-en">print</span>(<span class="pl-s">"A list of 4 integers - Note: they are not identical"</span>) <span class="pl-en">print</span>(<span class="pl-s1">test</span>) <span class="pl-s1">converted_numbers</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-en">array</span>(<span class="pl-s1">test</span>).<span class="pl-en">astype</span>(<span class="pl-s1">np</span>.<span class="pl-s1">uint64</span>) <span class="pl-en">print</span>(<span class="pl-s1">converted_numbers</span>) <span class="pl-en">print</span>(<span class="pl-s">" "</span>) <span class="pl-en">print</span>(<span class="pl-s">"The first 3 integers - Note they are identical"</span>) <span class="pl-s1">test1</span> <span class="pl-c1">=</span> <span class="pl-s1">test</span>[:<span class="pl-c1">-</span><span class="pl-c1">1</span>] <span class="pl-en">print</span>(<span class="pl-s1">test1</span>) <span class="pl-s1">converted_numbers1</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-en">array</span>(<span class="pl-s1">test1</span>).<span class="pl-en">astype</span>(<span class="pl-s1">np</span>.<span class="pl-s1">uint64</span>) <span class="pl-en">print</span>(<span class="pl-s1">converted_numbers1</span>) <span class="pl-en">print</span>(<span class="pl-s">" "</span>) <span class="pl-en">print</span>(<span class="pl-s">"The last integer"</span>) <span class="pl-s1">test2</span> <span class="pl-c1">=</span> <span class="pl-s1">test</span>[<span class="pl-c1">-</span><span class="pl-c1">1</span>] <span class="pl-en">print</span>(<span class="pl-s1">test2</span>) <span class="pl-s1">converted_numbers2</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-en">array</span>([<span class="pl-s1">test2</span>]).<span class="pl-en">astype</span>(<span class="pl-s1">np</span>.<span class="pl-s1">uint64</span>) <span class="pl-en">print</span>(<span class="pl-s1">converted_numbers2</span>) <span class="pl-en">print</span>(<span class="pl-s">"<span class="pl-cce">\n</span>"</span>,<span class="pl-s">"The integers converted individually"</span>) <span class="pl-k">for</span> <span class="pl-s1">num</span> <span class="pl-c1">in</span> <span class="pl-s1">test</span>: <span class="pl-s1">z</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-en">uint64</span>(<span class="pl-s1">num</span>) <span class="pl-en">print</span>(<span class="pl-s1">num</span>,<span class="pl-s1">z</span>)</pre></div> <p dir="auto"><strong>Output from the above</strong><br> A list of 4 integers - Note: they are not identical<br> [2573020360226874006, 3380361604350789900, 4859923904345895640, 13687853399390180967]<br> [ 2573020360226873856 3380361604350790144 4859923904345895936 13687853399390181376]</p> <p dir="auto">The first 3 integers - Note they are identical<br> [2573020360226874006, 3380361604350789900, 4859923904345895640]<br> [2573020360226874006 3380361604350789900 4859923904345895640]</p> <p dir="auto">The last integer<br> 13687853399390180967<br> [13687853399390180967]</p> <p dir="auto">The integers converted individually<br> 2573020360226874006 2573020360226874006<br> 3380361604350789900 3380361604350789900<br> 4859923904345895640 4859923904345895640<br> 13687853399390180967 13687853399390180967</p> <h3 dir="auto">Numpy/Python version information:</h3> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/41059217/79859329-be711000-83c8-11ea-8e37-f0e6d7b80fc5.png"><img src="https://user-images.githubusercontent.com/41059217/79859329-be711000-83c8-11ea-8e37-f0e6d7b80fc5.png" alt="image" style="max-width: 100%;"></a></p>
<p dir="auto"><code class="notranslate">math.floor()</code> and <code class="notranslate">math.ceil()</code> can produce incorrect result for <code class="notranslate">float128</code> due to double rounding. <code class="notranslate">math.trunc()</code> doe not work with <code class="notranslate">float128</code> (but <code class="notranslate">int()</code> works).</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="&gt;&gt;&gt; import numpy as np &gt;&gt;&gt; import math &gt;&gt;&gt; x = np.float128('0.99999999999999999995') &gt;&gt;&gt; x &lt; 1 True &gt;&gt;&gt; np.floor(x) 0.0 &gt;&gt;&gt; math.floor(x) 1 &gt;&gt;&gt; np.trunc(x) 0.0 &gt;&gt;&gt; y = np.float128('1.0000000000000000001') &gt;&gt;&gt; y &gt; 1 True &gt;&gt;&gt; np.ceil(y) 2.0 &gt;&gt;&gt; math.ceil(y) 1 &gt;&gt;&gt; z = np.float128() &gt;&gt;&gt; np.trunc(z) 0.0 &gt;&gt;&gt; math.trunc(z) Traceback (most recent call last): File &quot;&lt;stdin&gt;&quot;, line 1, in &lt;module&gt; TypeError: type numpy.float128 doesn't define __trunc__ method &gt;&gt;&gt; int(z) 0"><pre class="notranslate"><span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</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-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-k">import</span> <span class="pl-s1">math</span> <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-s1">x</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-en">float128</span>(<span class="pl-s">'0.99999999999999999995'</span>) <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-s1">x</span> <span class="pl-c1">&lt;</span> <span class="pl-c1">1</span> <span class="pl-c1">True</span> <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-s1">np</span>.<span class="pl-en">floor</span>(<span class="pl-s1">x</span>) <span class="pl-c1">0.0</span> <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-s1">math</span>.<span class="pl-en">floor</span>(<span class="pl-s1">x</span>) <span class="pl-c1">1</span> <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-s1">np</span>.<span class="pl-en">trunc</span>(<span class="pl-s1">x</span>) <span class="pl-c1">0.0</span> <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-s1">y</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-en">float128</span>(<span class="pl-s">'1.0000000000000000001'</span>) <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-s1">y</span> <span class="pl-c1">&gt;</span> <span class="pl-c1">1</span> <span class="pl-c1">True</span> <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-s1">np</span>.<span class="pl-en">ceil</span>(<span class="pl-s1">y</span>) <span class="pl-c1">2.0</span> <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-s1">math</span>.<span class="pl-en">ceil</span>(<span class="pl-s1">y</span>) <span class="pl-c1">1</span> <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-s1">z</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-en">float128</span>() <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-s1">np</span>.<span class="pl-en">trunc</span>(<span class="pl-s1">z</span>) <span class="pl-c1">0.0</span> <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-s1">math</span>.<span class="pl-en">trunc</span>(<span class="pl-s1">z</span>) <span class="pl-v">Traceback</span> (<span class="pl-s1">most</span> <span class="pl-s1">recent</span> <span class="pl-s1">call</span> <span class="pl-s1">last</span>): <span class="pl-v">File</span> <span class="pl-s">"&lt;stdin&gt;"</span>, <span class="pl-s1">line</span> <span class="pl-c1">1</span>, <span class="pl-s1">in</span> <span class="pl-c1">&lt;</span><span class="pl-s1">module</span><span class="pl-c1">&gt;</span> <span class="pl-v">TypeError</span>: <span class="pl-s1">type</span> <span class="pl-s1">numpy</span>.<span class="pl-s1">float128</span> <span class="pl-s1">doesn</span>'<span class="pl-s1">t</span> <span class="pl-s1">define</span> <span class="pl-s1">__trunc__</span> <span class="pl-s1">method</span> <span class="pl-c1">&gt;&gt;</span><span class="pl-c1">&gt;</span> <span class="pl-en">int</span>(<span class="pl-s1">z</span>) <span class="pl-c1">0</span></pre></div> <p dir="auto">This can be solved by implementing <code class="notranslate">__floor__</code>, <code class="notranslate">__ceil__</code> and <code class="notranslate">__trunc__</code> in <code class="notranslate">float128</code>.</p> <h3 dir="auto">Numpy/Python version information:</h3> <p dir="auto">1.13.3 3.6.8 (default, Oct 7 2019, 12:59:55)<br> [GCC 8.3.0]</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: xxx</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?</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>
<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" 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> <p dir="auto">Dubbo version: 2.7.5<br> Operating System version: Mac OS 10.15.2<br> Java version: 1.8.0_231</p> <h3 dir="auto">Steps to reproduce this issue</h3> <ol dir="auto"> <li>启动基础环境 和 provider服务,步骤同 <a href="https://github.com/apache/dubbo/issues/5625" data-hovercard-type="issue" data-hovercard-url="/apache/dubbo/issues/5625/hovercard">issue 5625</a></li> <li>启动consumer服务</li> </ol> <h3 dir="auto">Expected Result</h3> <ul dir="auto"> <li> <p dir="auto">consumer启动成功,无报错信息</p> </li> <li> <p dir="auto">consumer能够被访问,并正确地收到provider返回的数据</p> </li> </ul> <h3 dir="auto">Actual Result</h3> <ul dir="auto"> <li>consumer启动失败,日志报错</li> </ul> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="2020-01-10 10:08:01.416 WARN 20243 --- [ main] m.DynamicConfigurationServiceNameMapping : [DUBBO] null, dubbo version: 2.7.5, current host: *** java.lang.NullPointerException: null at java.util.TreeMap.compare(TreeMap.java:1294) ~[na:1.8.0_231] at java.util.TreeMap.put(TreeMap.java:538) ~[na:1.8.0_231] at java.util.TreeSet.add(TreeSet.java:255) ~[na:1.8.0_231] at org.apache.dubbo.configcenter.support.etcd.EtcdDynamicConfiguration.getConfigKeys(EtcdDynamicConfiguration.java:128) ~[classes/:2.7.5] at org.apache.dubbo.common.config.configcenter.wrapper.CompositeDynamicConfiguration.lambda$getConfigKeys$5(CompositeDynamicConfiguration.java:82) ~[dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.common.config.configcenter.wrapper.CompositeDynamicConfiguration.iterateConfigOperation(CompositeDynamicConfiguration.java:94) ~[dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.common.config.configcenter.wrapper.CompositeDynamicConfiguration.getConfigKeys(CompositeDynamicConfiguration.java:82) ~[dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.metadata.DynamicConfigurationServiceNameMapping.lambda$get$1(DynamicConfigurationServiceNameMapping.java:74) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.metadata.DynamicConfigurationServiceNameMapping.execute(DynamicConfigurationServiceNameMapping.java:92) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.metadata.DynamicConfigurationServiceNameMapping.get(DynamicConfigurationServiceNameMapping.java:73) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.findMappedServices(ServiceDiscoveryRegistry.java:854) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.getServices(ServiceDiscoveryRegistry.java:818) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.subscribeURLs(ServiceDiscoveryRegistry.java:328) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.doSubscribe(ServiceDiscoveryRegistry.java:294) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.support.FailbackRegistry.subscribe(FailbackRegistry.java:299) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.subscribe(ServiceDiscoveryRegistry.java:289) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.ListenerRegistryWrapper.subscribe(ListenerRegistryWrapper.java:105) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.integration.RegistryDirectory.subscribe(RegistryDirectory.java:174) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.integration.RegistryProtocol.doRefer(RegistryProtocol.java:415) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.integration.RegistryProtocol.refer(RegistryProtocol.java:396) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.rpc.protocol.ProtocolFilterWrapper.refer(ProtocolFilterWrapper.java:151) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.rpc.protocol.ProtocolListenerWrapper.refer(ProtocolListenerWrapper.java:70) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.qos.protocol.QosProtocolWrapper.refer(QosProtocolWrapper.java:73) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.rpc.Protocol$Adaptive.refer(Protocol$Adaptive.java) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.ReferenceConfig.createProxy(ReferenceConfig.java:324) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.ReferenceConfig.init(ReferenceConfig.java:266) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.ReferenceConfig.get(ReferenceConfig.java:151) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.spring.beans.factory.annotation.ReferenceAnnotationBeanPostProcessor.getOrCreateProxy(ReferenceAnnotationBeanPostProcessor.java:249) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.spring.beans.factory.annotation.ReferenceAnnotationBeanPostProcessor.doGetInjectedBean(ReferenceAnnotationBeanPostProcessor.java:142) [dubbo-2.7.5.jar:2.7.5] at com.alibaba.spring.beans.factory.annotation.AbstractAnnotationBeanPostProcessor.getInjectedObject(AbstractAnnotationBeanPostProcessor.java:358) [spring-context-support-1.0.5.jar:na] at com.alibaba.spring.beans.factory.annotation.AbstractAnnotationBeanPostProcessor$AnnotatedFieldElement.inject(AbstractAnnotationBeanPostProcessor.java:538) [spring-context-support-1.0.5.jar:na] at org.springframework.beans.factory.annotation.InjectionMetadata.inject(InjectionMetadata.java:88) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at com.alibaba.spring.beans.factory.annotation.AbstractAnnotationBeanPostProcessor.postProcessPropertyValues(AbstractAnnotationBeanPostProcessor.java:141) [spring-context-support-1.0.5.jar:na] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.populateBean(AbstractAutowireCapableBeanFactory.java:1264) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:553) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:483) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractBeanFactory$1.getObject(AbstractBeanFactory.java:306) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:230) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:302) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:197) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.DefaultListableBeanFactory.preInstantiateSingletons(DefaultListableBeanFactory.java:761) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.context.support.AbstractApplicationContext.finishBeanFactoryInitialization(AbstractApplicationContext.java:867) [spring-context-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.context.support.AbstractApplicationContext.refresh(AbstractApplicationContext.java:543) [spring-context-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.boot.context.embedded.EmbeddedWebApplicationContext.refresh(EmbeddedWebApplicationContext.java:122) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.refresh(SpringApplication.java:693) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.refreshContext(SpringApplication.java:360) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.run(SpringApplication.java:303) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.run(SpringApplication.java:1118) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.run(SpringApplication.java:1107) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] ...... java.lang.IllegalStateException: Should has at least one way to know which services this interface belongs to, subscription url: ...... at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.subscribeURLs(ServiceDiscoveryRegistry.java:330) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.doSubscribe(ServiceDiscoveryRegistry.java:294) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.support.FailbackRegistry.subscribe(FailbackRegistry.java:299) ~[dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.subscribe(ServiceDiscoveryRegistry.java:289) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.ListenerRegistryWrapper.subscribe(ListenerRegistryWrapper.java:105) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.integration.RegistryDirectory.subscribe(RegistryDirectory.java:174) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.integration.RegistryProtocol.doRefer(RegistryProtocol.java:415) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.integration.RegistryProtocol.refer(RegistryProtocol.java:396) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.rpc.protocol.ProtocolFilterWrapper.refer(ProtocolFilterWrapper.java:151) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.rpc.protocol.ProtocolListenerWrapper.refer(ProtocolListenerWrapper.java:70) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.qos.protocol.QosProtocolWrapper.refer(QosProtocolWrapper.java:73) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.rpc.Protocol$Adaptive.refer(Protocol$Adaptive.java) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.ReferenceConfig.createProxy(ReferenceConfig.java:324) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.ReferenceConfig.init(ReferenceConfig.java:266) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.ReferenceConfig.get(ReferenceConfig.java:151) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.spring.beans.factory.annotation.ReferenceAnnotationBeanPostProcessor.getOrCreateProxy(ReferenceAnnotationBeanPostProcessor.java:249) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.spring.beans.factory.annotation.ReferenceAnnotationBeanPostProcessor.doGetInjectedBean(ReferenceAnnotationBeanPostProcessor.java:142) [dubbo-2.7.5.jar:2.7.5] at com.alibaba.spring.beans.factory.annotation.AbstractAnnotationBeanPostProcessor.getInjectedObject(AbstractAnnotationBeanPostProcessor.java:358) [spring-context-support-1.0.5.jar:na] at com.alibaba.spring.beans.factory.annotation.AbstractAnnotationBeanPostProcessor$AnnotatedFieldElement.inject(AbstractAnnotationBeanPostProcessor.java:538) [spring-context-support-1.0.5.jar:na] at org.springframework.beans.factory.annotation.InjectionMetadata.inject(InjectionMetadata.java:88) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at com.alibaba.spring.beans.factory.annotation.AbstractAnnotationBeanPostProcessor.postProcessPropertyValues(AbstractAnnotationBeanPostProcessor.java:141) [spring-context-support-1.0.5.jar:na] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.populateBean(AbstractAutowireCapableBeanFactory.java:1264) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:553) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:483) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractBeanFactory$1.getObject(AbstractBeanFactory.java:306) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:230) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:302) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:197) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.DefaultListableBeanFactory.preInstantiateSingletons(DefaultListableBeanFactory.java:761) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.context.support.AbstractApplicationContext.finishBeanFactoryInitialization(AbstractApplicationContext.java:867) [spring-context-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.context.support.AbstractApplicationContext.refresh(AbstractApplicationContext.java:543) [spring-context-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.boot.context.embedded.EmbeddedWebApplicationContext.refresh(EmbeddedWebApplicationContext.java:122) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.refresh(SpringApplication.java:693) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.refreshContext(SpringApplication.java:360) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.run(SpringApplication.java:303) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.run(SpringApplication.java:1118) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.run(SpringApplication.java:1107) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE]"><pre class="notranslate"><code class="notranslate">2020-01-10 10:08:01.416 WARN 20243 --- [ main] m.DynamicConfigurationServiceNameMapping : [DUBBO] null, dubbo version: 2.7.5, current host: *** java.lang.NullPointerException: null at java.util.TreeMap.compare(TreeMap.java:1294) ~[na:1.8.0_231] at java.util.TreeMap.put(TreeMap.java:538) ~[na:1.8.0_231] at java.util.TreeSet.add(TreeSet.java:255) ~[na:1.8.0_231] at org.apache.dubbo.configcenter.support.etcd.EtcdDynamicConfiguration.getConfigKeys(EtcdDynamicConfiguration.java:128) ~[classes/:2.7.5] at org.apache.dubbo.common.config.configcenter.wrapper.CompositeDynamicConfiguration.lambda$getConfigKeys$5(CompositeDynamicConfiguration.java:82) ~[dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.common.config.configcenter.wrapper.CompositeDynamicConfiguration.iterateConfigOperation(CompositeDynamicConfiguration.java:94) ~[dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.common.config.configcenter.wrapper.CompositeDynamicConfiguration.getConfigKeys(CompositeDynamicConfiguration.java:82) ~[dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.metadata.DynamicConfigurationServiceNameMapping.lambda$get$1(DynamicConfigurationServiceNameMapping.java:74) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.metadata.DynamicConfigurationServiceNameMapping.execute(DynamicConfigurationServiceNameMapping.java:92) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.metadata.DynamicConfigurationServiceNameMapping.get(DynamicConfigurationServiceNameMapping.java:73) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.findMappedServices(ServiceDiscoveryRegistry.java:854) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.getServices(ServiceDiscoveryRegistry.java:818) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.subscribeURLs(ServiceDiscoveryRegistry.java:328) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.doSubscribe(ServiceDiscoveryRegistry.java:294) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.support.FailbackRegistry.subscribe(FailbackRegistry.java:299) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.subscribe(ServiceDiscoveryRegistry.java:289) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.ListenerRegistryWrapper.subscribe(ListenerRegistryWrapper.java:105) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.integration.RegistryDirectory.subscribe(RegistryDirectory.java:174) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.integration.RegistryProtocol.doRefer(RegistryProtocol.java:415) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.integration.RegistryProtocol.refer(RegistryProtocol.java:396) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.rpc.protocol.ProtocolFilterWrapper.refer(ProtocolFilterWrapper.java:151) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.rpc.protocol.ProtocolListenerWrapper.refer(ProtocolListenerWrapper.java:70) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.qos.protocol.QosProtocolWrapper.refer(QosProtocolWrapper.java:73) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.rpc.Protocol$Adaptive.refer(Protocol$Adaptive.java) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.ReferenceConfig.createProxy(ReferenceConfig.java:324) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.ReferenceConfig.init(ReferenceConfig.java:266) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.ReferenceConfig.get(ReferenceConfig.java:151) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.spring.beans.factory.annotation.ReferenceAnnotationBeanPostProcessor.getOrCreateProxy(ReferenceAnnotationBeanPostProcessor.java:249) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.spring.beans.factory.annotation.ReferenceAnnotationBeanPostProcessor.doGetInjectedBean(ReferenceAnnotationBeanPostProcessor.java:142) [dubbo-2.7.5.jar:2.7.5] at com.alibaba.spring.beans.factory.annotation.AbstractAnnotationBeanPostProcessor.getInjectedObject(AbstractAnnotationBeanPostProcessor.java:358) [spring-context-support-1.0.5.jar:na] at com.alibaba.spring.beans.factory.annotation.AbstractAnnotationBeanPostProcessor$AnnotatedFieldElement.inject(AbstractAnnotationBeanPostProcessor.java:538) [spring-context-support-1.0.5.jar:na] at org.springframework.beans.factory.annotation.InjectionMetadata.inject(InjectionMetadata.java:88) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at com.alibaba.spring.beans.factory.annotation.AbstractAnnotationBeanPostProcessor.postProcessPropertyValues(AbstractAnnotationBeanPostProcessor.java:141) [spring-context-support-1.0.5.jar:na] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.populateBean(AbstractAutowireCapableBeanFactory.java:1264) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:553) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:483) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractBeanFactory$1.getObject(AbstractBeanFactory.java:306) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:230) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:302) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:197) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.DefaultListableBeanFactory.preInstantiateSingletons(DefaultListableBeanFactory.java:761) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.context.support.AbstractApplicationContext.finishBeanFactoryInitialization(AbstractApplicationContext.java:867) [spring-context-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.context.support.AbstractApplicationContext.refresh(AbstractApplicationContext.java:543) [spring-context-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.boot.context.embedded.EmbeddedWebApplicationContext.refresh(EmbeddedWebApplicationContext.java:122) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.refresh(SpringApplication.java:693) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.refreshContext(SpringApplication.java:360) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.run(SpringApplication.java:303) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.run(SpringApplication.java:1118) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.run(SpringApplication.java:1107) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] ...... java.lang.IllegalStateException: Should has at least one way to know which services this interface belongs to, subscription url: ...... at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.subscribeURLs(ServiceDiscoveryRegistry.java:330) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.doSubscribe(ServiceDiscoveryRegistry.java:294) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.support.FailbackRegistry.subscribe(FailbackRegistry.java:299) ~[dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.client.ServiceDiscoveryRegistry.subscribe(ServiceDiscoveryRegistry.java:289) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.ListenerRegistryWrapper.subscribe(ListenerRegistryWrapper.java:105) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.integration.RegistryDirectory.subscribe(RegistryDirectory.java:174) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.integration.RegistryProtocol.doRefer(RegistryProtocol.java:415) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.registry.integration.RegistryProtocol.refer(RegistryProtocol.java:396) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.rpc.protocol.ProtocolFilterWrapper.refer(ProtocolFilterWrapper.java:151) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.rpc.protocol.ProtocolListenerWrapper.refer(ProtocolListenerWrapper.java:70) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.qos.protocol.QosProtocolWrapper.refer(QosProtocolWrapper.java:73) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.rpc.Protocol$Adaptive.refer(Protocol$Adaptive.java) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.ReferenceConfig.createProxy(ReferenceConfig.java:324) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.ReferenceConfig.init(ReferenceConfig.java:266) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.ReferenceConfig.get(ReferenceConfig.java:151) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.spring.beans.factory.annotation.ReferenceAnnotationBeanPostProcessor.getOrCreateProxy(ReferenceAnnotationBeanPostProcessor.java:249) [dubbo-2.7.5.jar:2.7.5] at org.apache.dubbo.config.spring.beans.factory.annotation.ReferenceAnnotationBeanPostProcessor.doGetInjectedBean(ReferenceAnnotationBeanPostProcessor.java:142) [dubbo-2.7.5.jar:2.7.5] at com.alibaba.spring.beans.factory.annotation.AbstractAnnotationBeanPostProcessor.getInjectedObject(AbstractAnnotationBeanPostProcessor.java:358) [spring-context-support-1.0.5.jar:na] at com.alibaba.spring.beans.factory.annotation.AbstractAnnotationBeanPostProcessor$AnnotatedFieldElement.inject(AbstractAnnotationBeanPostProcessor.java:538) [spring-context-support-1.0.5.jar:na] at org.springframework.beans.factory.annotation.InjectionMetadata.inject(InjectionMetadata.java:88) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at com.alibaba.spring.beans.factory.annotation.AbstractAnnotationBeanPostProcessor.postProcessPropertyValues(AbstractAnnotationBeanPostProcessor.java:141) [spring-context-support-1.0.5.jar:na] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.populateBean(AbstractAutowireCapableBeanFactory.java:1264) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.doCreateBean(AbstractAutowireCapableBeanFactory.java:553) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBean(AbstractAutowireCapableBeanFactory.java:483) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractBeanFactory$1.getObject(AbstractBeanFactory.java:306) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.DefaultSingletonBeanRegistry.getSingleton(DefaultSingletonBeanRegistry.java:230) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:302) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:197) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.beans.factory.support.DefaultListableBeanFactory.preInstantiateSingletons(DefaultListableBeanFactory.java:761) [spring-beans-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.context.support.AbstractApplicationContext.finishBeanFactoryInitialization(AbstractApplicationContext.java:867) [spring-context-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.context.support.AbstractApplicationContext.refresh(AbstractApplicationContext.java:543) [spring-context-4.3.14.RELEASE.jar:4.3.14.RELEASE] at org.springframework.boot.context.embedded.EmbeddedWebApplicationContext.refresh(EmbeddedWebApplicationContext.java:122) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.refresh(SpringApplication.java:693) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.refreshContext(SpringApplication.java:360) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.run(SpringApplication.java:303) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.run(SpringApplication.java:1118) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] at org.springframework.boot.SpringApplication.run(SpringApplication.java:1107) [spring-boot-1.5.10.RELEASE.jar:1.5.10.RELEASE] </code></pre></div> <ul dir="auto"> <li>consumer访问失败,找不到服务</li> </ul> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/2261374/72124498-f74c2280-339f-11ea-984e-1fb86272a8fc.png"><img src="https://user-images.githubusercontent.com/2261374/72124498-f74c2280-339f-11ea-984e-1fb86272a8fc.png" alt="image" style="max-width: 100%;"></a></p> <h3 dir="auto">相关代码和配置</h3> <div class="highlight highlight-source-java notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import org.apache.dubbo.config.annotation.Reference; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RestController; import testproto.DubboGreeterGrpc; import testproto.HelloReply; import testproto.HelloRequest; @RestController public class TestController { @Reference(version = &quot;1.0.0&quot;, timeout = 5000, check = false) private DubboGreeterGrpc.IGreeter greeter; @RequestMapping(&quot;/&quot;) public String test() { HelloRequest request = HelloRequest.newBuilder() .setName(&quot;test: &quot; + System.currentTimeMillis()) .build(); HelloReply reply = greeter.sayHello(request); return reply.getMessage(); } }"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">org</span>.<span class="pl-s1">apache</span>.<span class="pl-s1">dubbo</span>.<span class="pl-s1">config</span>.<span class="pl-s1">annotation</span>.<span class="pl-s1">Reference</span>; <span class="pl-k">import</span> <span class="pl-s1">org</span>.<span class="pl-s1">springframework</span>.<span class="pl-s1">web</span>.<span class="pl-s1">bind</span>.<span class="pl-s1">annotation</span>.<span class="pl-s1">RequestMapping</span>; <span class="pl-k">import</span> <span class="pl-s1">org</span>.<span class="pl-s1">springframework</span>.<span class="pl-s1">web</span>.<span class="pl-s1">bind</span>.<span class="pl-s1">annotation</span>.<span class="pl-s1">RestController</span>; <span class="pl-k">import</span> <span class="pl-s1">testproto</span>.<span class="pl-s1">DubboGreeterGrpc</span>; <span class="pl-k">import</span> <span class="pl-s1">testproto</span>.<span class="pl-s1">HelloReply</span>; <span class="pl-k">import</span> <span class="pl-s1">testproto</span>.<span class="pl-s1">HelloRequest</span>; <span class="pl-c1">@</span><span class="pl-c1">RestController</span> <span class="pl-k">public</span> <span class="pl-k">class</span> <span class="pl-smi">TestController</span> { <span class="pl-c1">@</span><span class="pl-c1">Reference</span>(<span class="pl-s1">version</span> = <span class="pl-s">"1.0.0"</span>, <span class="pl-s1">timeout</span> = <span class="pl-c1">5000</span>, <span class="pl-s1">check</span> = <span class="pl-c1">false</span>) <span class="pl-k">private</span> <span class="pl-smi">DubboGreeterGrpc</span>.<span class="pl-smi">IGreeter</span> <span class="pl-s1">greeter</span>; <span class="pl-c1">@</span><span class="pl-c1">RequestMapping</span>(<span class="pl-s">"/"</span>) <span class="pl-k">public</span> <span class="pl-smi">String</span> <span class="pl-en">test</span>() { <span class="pl-smi">HelloRequest</span> <span class="pl-s1">request</span> = <span class="pl-smi">HelloRequest</span>.<span class="pl-en">newBuilder</span>() .<span class="pl-en">setName</span>(<span class="pl-s">"test: "</span> + <span class="pl-smi">System</span>.<span class="pl-en">currentTimeMillis</span>()) .<span class="pl-en">build</span>(); <span class="pl-smi">HelloReply</span> <span class="pl-s1">reply</span> = <span class="pl-s1">greeter</span>.<span class="pl-en">sayHello</span>(<span class="pl-s1">request</span>); <span class="pl-k">return</span> <span class="pl-s1">reply</span>.<span class="pl-en">getMessage</span>(); } }</pre></div> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="spring.application.name=dubbo-consumer server.port=8081 dubbo.application.name=${spring.application.name} dubbo.application.metadata=remote dubbo.protocol.name=grpc dubbo.protocol.port=8889 dubbo.registry.address=etcd3://127.0.0.1:2379?registry-type=service dubbo.provider.threads=10 dubbo.provider.threadpool=fixed dubbo.provider.loadbalance=roundrobin dubbo.metadata-report.address=etcd://127.0.0.1:2379 dubbo.config-center.address=etcd://127.0.0.1:2379"><pre class="notranslate"><code class="notranslate">spring.application.name=dubbo-consumer server.port=8081 dubbo.application.name=${spring.application.name} dubbo.application.metadata=remote dubbo.protocol.name=grpc dubbo.protocol.port=8889 dubbo.registry.address=etcd3://127.0.0.1:2379?registry-type=service dubbo.provider.threads=10 dubbo.provider.threadpool=fixed dubbo.provider.loadbalance=roundrobin dubbo.metadata-report.address=etcd://127.0.0.1:2379 dubbo.config-center.address=etcd://127.0.0.1:2379 </code></pre></div>
0
<p dir="auto">I want to start off by saying I think this is a pretty unusual use case and it appears to me to boil down to a behaviour in <code class="notranslate">urllib3</code>. However, I encountered it while working with <code class="notranslate">requests</code> and I'm not familiar enough with <code class="notranslate">urllib3</code> to say whether the behaviour is expected or not. It may be that the fix is to document this behaviour in <code class="notranslate">requests</code>, or make a change in <code class="notranslate">urllib3</code>, but I don't know for sure.</p> <h4 dir="auto">Problem Summary</h4> <ol dir="auto"> <li>Configure a <code class="notranslate">requests.sessions.Session</code> with a CA file.</li> <li>Make a request using HTTPS to a host that has a certificate signed by this CA.</li> <li>Reconfigure the <code class="notranslate">requests.sessions.Session</code> object with a <em>new</em> CA file and delete the old one.</li> <li>Wait until the connection with the server is closed (either from inactivity or by forcing it with 'Connection: close' on the request made in step 2).</li> <li>Make a second request using HTTPS to a host that has a certificate signed by the new CA.</li> <li>Instead of the same response from step 2, an exception is raised.</li> </ol> <p dir="auto">The exception looks something like this and is from the reproducer I've included below:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Traceback (most recent call last): File &quot;test_requests.py&quot;, line 78, in &lt;module&gt; headers={'Connection': 'close'}) File &quot;/home/jcline/.virtualenvs/test_requests/lib/python2.7/site-packages/requests/sessions.py&quot;, line 480, in get return self.request('GET', url, **kwargs) File &quot;/home/jcline/.virtualenvs/test_requests/lib/python2.7/site-packages/requests/sessions.py&quot;, line 468, in request resp = self.send(prep, **send_kwargs) File &quot;/home/jcline/.virtualenvs/test_requests/lib/python2.7/site-packages/requests/sessions.py&quot;, line 576, in send r = adapter.send(request, **kwargs) File &quot;/home/jcline/.virtualenvs/test_requests/lib/python2.7/site-packages/requests/adapters.py&quot;, line 447, in send raise SSLError(e, request=request) requests.exceptions.SSLError: [Errno 2] No such file or directory"><pre class="notranslate"><code class="notranslate">Traceback (most recent call last): File "test_requests.py", line 78, in &lt;module&gt; headers={'Connection': 'close'}) File "/home/jcline/.virtualenvs/test_requests/lib/python2.7/site-packages/requests/sessions.py", line 480, in get return self.request('GET', url, **kwargs) File "/home/jcline/.virtualenvs/test_requests/lib/python2.7/site-packages/requests/sessions.py", line 468, in request resp = self.send(prep, **send_kwargs) File "/home/jcline/.virtualenvs/test_requests/lib/python2.7/site-packages/requests/sessions.py", line 576, in send r = adapter.send(request, **kwargs) File "/home/jcline/.virtualenvs/test_requests/lib/python2.7/site-packages/requests/adapters.py", line 447, in send raise SSLError(e, request=request) requests.exceptions.SSLError: [Errno 2] No such file or directory </code></pre></div> <p dir="auto">I did some digging and what I concluded is that a when a connection is pulled out of the <code class="notranslate">urllib3</code> connection pool the CA certificates (maybe even the client certificates?) are not reconfigured on the connection object, so when it goes to validate the server's certificate when it restarts the TCP connection it gets that "No such file or directory" when it tries to read that old CA certificate file.</p> <p dir="auto">I thought about this a bit and it may be the case that if you reconfigure the session object with a new CA file and don't delete the old one, you might encounter odd cases where a certificate you expect to pass validation with the new CA bundle fails because the old bundle is actually being used on some of the connections in the pool (but possibly not all of them).</p> <h4 dir="auto">Environment</h4> <p dir="auto">I encountered this on Fedora 23. I installed requests into a clean virtualenv with pip rather than using the distro-provided packages. I saw this with requests-2.9.1.</p> <h4 dir="auto">Reproducer</h4> <p dir="auto">I've written up a little script that reproduces this problem. It uses the same CA for both requests, but they are in different files and the CA file used for the first request is deleted.</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import os import tempfile import requests # The CA that signed the certificate used at cdn.redhat.com CA = &quot;&quot;&quot; -----BEGIN CERTIFICATE----- MIIHZDCCBUygAwIBAgIJAOb+QiglyeZeMA0GCSqGSIb3DQEBBQUAMIGwMQswCQYD VQQGEwJVUzEXMBUGA1UECAwOTm9ydGggQ2Fyb2xpbmExEDAOBgNVBAcMB1JhbGVp Z2gxFjAUBgNVBAoMDVJlZCBIYXQsIEluYy4xGDAWBgNVBAsMD1JlZCBIYXQgTmV0 d29yazEeMBwGA1UEAwwVRW50aXRsZW1lbnQgTWFzdGVyIENBMSQwIgYJKoZIhvcN AQkBFhVjYS1zdXBwb3J0QHJlZGhhdC5jb20wHhcNMTAwMzE3MTkwMDQ0WhcNMzAw MzEyMTkwMDQ0WjCBsDELMAkGA1UEBhMCVVMxFzAVBgNVBAgMDk5vcnRoIENhcm9s aW5hMRAwDgYDVQQHDAdSYWxlaWdoMRYwFAYDVQQKDA1SZWQgSGF0LCBJbmMuMRgw FgYDVQQLDA9SZWQgSGF0IE5ldHdvcmsxHjAcBgNVBAMMFUVudGl0bGVtZW50IE1h c3RlciBDQTEkMCIGCSqGSIb3DQEJARYVY2Etc3VwcG9ydEByZWRoYXQuY29tMIIC IjANBgkqhkiG9w0BAQEFAAOCAg8AMIICCgKCAgEA2Z+mW7OYcBcGxWS+RSKG2GJ2 csMXiGGfEp36vKVsIvypmNS60SkicKENMYREalbdSjrgfXxPJygZWsVWJ5lHPfBV o3WkFrFHTIXd/R6LxnaHD1m8Cx3GwEeuSlE/ASjc1ePtMnsHH7xqZ9wdl85b1C8O scgO7fwuM192kvv/veI/BogIqUQugtG6szXpV8dp4ml029LXFoNIy2lfFoa2wKYw MiUHwtYgAz7TDY63e8qGhd5PoqTv9XKQogo2ze9sF9y/npZjliNy5qf6bFE+24oW E8pGsp3zqz8h5mvw4v+tfIx5uj7dwjDteFrrWD1tcT7UmNrBDWXjKMG81zchq3h4 etgF0iwMHEuYuixiJWNzKrLNVQbDmcLGNOvyJfq60tM8AUAd72OUQzivBegnWMit CLcT5viCT1AIkYXt7l5zc/duQWLeAAR2FmpZFylSukknzzeiZpPclRziYTboDYHq revM97eER1xsfoSYp4mJkBHfdlqMnf3CWPcNgru8NbEPeUGMI6+C0YvknPlqDDtU ojfl4qNdf6nWL+YNXpR1YGKgWGWgTU6uaG8Sc6qGfAoLHh6oGwbuz102j84OgjAJ DGv/S86svmZWSqZ5UoJOIEqFYrONcOSgztZ5tU+gP4fwRIkTRbTEWSgudVREOXhs bfN1YGP7HYvS0OiBKZUCAwEAAaOCAX0wggF5MB0GA1UdDgQWBBSIS6ZFxEbsj9bP pvYazyY8kMx/FzCB5QYDVR0jBIHdMIHagBSIS6ZFxEbsj9bPpvYazyY8kMx/F6GB tqSBszCBsDELMAkGA1UEBhMCVVMxFzAVBgNVBAgMDk5vcnRoIENhcm9saW5hMRAw DgYDVQQHDAdSYWxlaWdoMRYwFAYDVQQKDA1SZWQgSGF0LCBJbmMuMRgwFgYDVQQL DA9SZWQgSGF0IE5ldHdvcmsxHjAcBgNVBAMMFUVudGl0bGVtZW50IE1hc3RlciBD QTEkMCIGCSqGSIb3DQEJARYVY2Etc3VwcG9ydEByZWRoYXQuY29tggkA5v5CKCXJ 5l4wDAYDVR0TBAUwAwEB/zALBgNVHQ8EBAMCAQYwEQYJYIZIAYb4QgEBBAQDAgEG MCAGA1UdEQQZMBeBFWNhLXN1cHBvcnRAcmVkaGF0LmNvbTAgBgNVHRIEGTAXgRVj YS1zdXBwb3J0QHJlZGhhdC5jb20wDQYJKoZIhvcNAQEFBQADggIBAJ1hEdNBDTRr 6kI6W6stoogSUwjuiWPDY8DptwGhdpyIfbCoxvBR7F52DlwyXOpCunogfKMRklnE gH1Wt66RYkgNuJcenKHAhR5xgSLoPCOVF9rDjMunyyBuxjIbctM21R7BswVpsEIE OpV5nlJ6wkHsrn0/E+Zk5UJdCzM+Fp4hqHtEn/c97nvRspQcpWeDg6oUvaJSZTGM 8yFpzR90X8ZO4rOgpoERukvYutUfJUzZuDyS3LLc6ysamemH93rZXr52zc4B+C9G Em8zemDgIPaH42ce3C3TdVysiq/yk+ir7pxW8toeavFv75l1UojFSjND+Q2AlNQn pYkmRznbD5TZ3yDuPFQG2xYKnMPACepGgKZPyErtOIljQKCdgcvb9EqNdZaJFz1+ /iWKYBL077Y0CKwb+HGIDeYdzrYxbEd95YuVU0aStnf2Yii2tLcpQtK9cC2+DXjL Yf3kQs4xzH4ZejhG9wzv8PGXOS8wHYnfVNA3+fclDEQ1mEBKWHHmenGI6QKZUP8f g0SQ3PNRnSZu8R+rhABOEuVFIBRlaYijg2Pxe0NgL9FlHsNyRfo6EUrB2QFRKACW 3Mo6pZyDjQt7O8J7l9B9IIURoJ1niwygf7VSJTMl2w3fFleNJlZTGgdXw0V+5g+9 Kg6Ay0rrsi4nw1JHue2GvdjdfVOaWSWC -----END CERTIFICATE----- &quot;&quot;&quot; # Write two versions of the CA to temporary files. ca1 is used for the first request # and ca2 is used for the second (after ca1 has been deleted). fd, ca1_abs_path = tempfile.mkstemp(dir='/tmp/', text=True) os.write(fd, CA) os.close(fd) fd, ca2_abs_path = tempfile.mkstemp(dir='/tmp/', text=True) os.write(fd, CA) os.close(fd) # Make an initial request with the first CA session = requests.sessions.Session() session.verify = ca1_abs_path response = session.get('https://cdn.redhat.com/', headers={'Connection': 'close'}) print('Got HTTP ' + str(response.status_code) + ' (403 expected)') # Remove the first CA and configure the session to use the second one. os.remove(ca1_abs_path) session.verify = ca2_abs_path # This is going to end in a &quot;file not found&quot; because the connection needs to be # re-established by urllib3 and the certificate on the connection is not # updated to match the certificate on the connection pool. try: response = session.get('https://cdn.redhat.com/', headers={'Connection': 'close'}) print('Got HTTP ' + str(response.status_code) + ' (403 expected)') except requests.exceptions.SSLError as e: os.remove(ca2_abs_path) raise"><pre class="notranslate"><code class="notranslate">import os import tempfile import requests # The CA that signed the certificate used at cdn.redhat.com CA = """ -----BEGIN CERTIFICATE----- MIIHZDCCBUygAwIBAgIJAOb+QiglyeZeMA0GCSqGSIb3DQEBBQUAMIGwMQswCQYD VQQGEwJVUzEXMBUGA1UECAwOTm9ydGggQ2Fyb2xpbmExEDAOBgNVBAcMB1JhbGVp Z2gxFjAUBgNVBAoMDVJlZCBIYXQsIEluYy4xGDAWBgNVBAsMD1JlZCBIYXQgTmV0 d29yazEeMBwGA1UEAwwVRW50aXRsZW1lbnQgTWFzdGVyIENBMSQwIgYJKoZIhvcN AQkBFhVjYS1zdXBwb3J0QHJlZGhhdC5jb20wHhcNMTAwMzE3MTkwMDQ0WhcNMzAw MzEyMTkwMDQ0WjCBsDELMAkGA1UEBhMCVVMxFzAVBgNVBAgMDk5vcnRoIENhcm9s aW5hMRAwDgYDVQQHDAdSYWxlaWdoMRYwFAYDVQQKDA1SZWQgSGF0LCBJbmMuMRgw FgYDVQQLDA9SZWQgSGF0IE5ldHdvcmsxHjAcBgNVBAMMFUVudGl0bGVtZW50IE1h c3RlciBDQTEkMCIGCSqGSIb3DQEJARYVY2Etc3VwcG9ydEByZWRoYXQuY29tMIIC IjANBgkqhkiG9w0BAQEFAAOCAg8AMIICCgKCAgEA2Z+mW7OYcBcGxWS+RSKG2GJ2 csMXiGGfEp36vKVsIvypmNS60SkicKENMYREalbdSjrgfXxPJygZWsVWJ5lHPfBV o3WkFrFHTIXd/R6LxnaHD1m8Cx3GwEeuSlE/ASjc1ePtMnsHH7xqZ9wdl85b1C8O scgO7fwuM192kvv/veI/BogIqUQugtG6szXpV8dp4ml029LXFoNIy2lfFoa2wKYw MiUHwtYgAz7TDY63e8qGhd5PoqTv9XKQogo2ze9sF9y/npZjliNy5qf6bFE+24oW E8pGsp3zqz8h5mvw4v+tfIx5uj7dwjDteFrrWD1tcT7UmNrBDWXjKMG81zchq3h4 etgF0iwMHEuYuixiJWNzKrLNVQbDmcLGNOvyJfq60tM8AUAd72OUQzivBegnWMit CLcT5viCT1AIkYXt7l5zc/duQWLeAAR2FmpZFylSukknzzeiZpPclRziYTboDYHq revM97eER1xsfoSYp4mJkBHfdlqMnf3CWPcNgru8NbEPeUGMI6+C0YvknPlqDDtU ojfl4qNdf6nWL+YNXpR1YGKgWGWgTU6uaG8Sc6qGfAoLHh6oGwbuz102j84OgjAJ DGv/S86svmZWSqZ5UoJOIEqFYrONcOSgztZ5tU+gP4fwRIkTRbTEWSgudVREOXhs bfN1YGP7HYvS0OiBKZUCAwEAAaOCAX0wggF5MB0GA1UdDgQWBBSIS6ZFxEbsj9bP pvYazyY8kMx/FzCB5QYDVR0jBIHdMIHagBSIS6ZFxEbsj9bPpvYazyY8kMx/F6GB tqSBszCBsDELMAkGA1UEBhMCVVMxFzAVBgNVBAgMDk5vcnRoIENhcm9saW5hMRAw DgYDVQQHDAdSYWxlaWdoMRYwFAYDVQQKDA1SZWQgSGF0LCBJbmMuMRgwFgYDVQQL DA9SZWQgSGF0IE5ldHdvcmsxHjAcBgNVBAMMFUVudGl0bGVtZW50IE1hc3RlciBD QTEkMCIGCSqGSIb3DQEJARYVY2Etc3VwcG9ydEByZWRoYXQuY29tggkA5v5CKCXJ 5l4wDAYDVR0TBAUwAwEB/zALBgNVHQ8EBAMCAQYwEQYJYIZIAYb4QgEBBAQDAgEG MCAGA1UdEQQZMBeBFWNhLXN1cHBvcnRAcmVkaGF0LmNvbTAgBgNVHRIEGTAXgRVj YS1zdXBwb3J0QHJlZGhhdC5jb20wDQYJKoZIhvcNAQEFBQADggIBAJ1hEdNBDTRr 6kI6W6stoogSUwjuiWPDY8DptwGhdpyIfbCoxvBR7F52DlwyXOpCunogfKMRklnE gH1Wt66RYkgNuJcenKHAhR5xgSLoPCOVF9rDjMunyyBuxjIbctM21R7BswVpsEIE OpV5nlJ6wkHsrn0/E+Zk5UJdCzM+Fp4hqHtEn/c97nvRspQcpWeDg6oUvaJSZTGM 8yFpzR90X8ZO4rOgpoERukvYutUfJUzZuDyS3LLc6ysamemH93rZXr52zc4B+C9G Em8zemDgIPaH42ce3C3TdVysiq/yk+ir7pxW8toeavFv75l1UojFSjND+Q2AlNQn pYkmRznbD5TZ3yDuPFQG2xYKnMPACepGgKZPyErtOIljQKCdgcvb9EqNdZaJFz1+ /iWKYBL077Y0CKwb+HGIDeYdzrYxbEd95YuVU0aStnf2Yii2tLcpQtK9cC2+DXjL Yf3kQs4xzH4ZejhG9wzv8PGXOS8wHYnfVNA3+fclDEQ1mEBKWHHmenGI6QKZUP8f g0SQ3PNRnSZu8R+rhABOEuVFIBRlaYijg2Pxe0NgL9FlHsNyRfo6EUrB2QFRKACW 3Mo6pZyDjQt7O8J7l9B9IIURoJ1niwygf7VSJTMl2w3fFleNJlZTGgdXw0V+5g+9 Kg6Ay0rrsi4nw1JHue2GvdjdfVOaWSWC -----END CERTIFICATE----- """ # Write two versions of the CA to temporary files. ca1 is used for the first request # and ca2 is used for the second (after ca1 has been deleted). fd, ca1_abs_path = tempfile.mkstemp(dir='/tmp/', text=True) os.write(fd, CA) os.close(fd) fd, ca2_abs_path = tempfile.mkstemp(dir='/tmp/', text=True) os.write(fd, CA) os.close(fd) # Make an initial request with the first CA session = requests.sessions.Session() session.verify = ca1_abs_path response = session.get('https://cdn.redhat.com/', headers={'Connection': 'close'}) print('Got HTTP ' + str(response.status_code) + ' (403 expected)') # Remove the first CA and configure the session to use the second one. os.remove(ca1_abs_path) session.verify = ca2_abs_path # This is going to end in a "file not found" because the connection needs to be # re-established by urllib3 and the certificate on the connection is not # updated to match the certificate on the connection pool. try: response = session.get('https://cdn.redhat.com/', headers={'Connection': 'close'}) print('Got HTTP ' + str(response.status_code) + ' (403 expected)') except requests.exceptions.SSLError as e: os.remove(ca2_abs_path) raise </code></pre></div>
<p dir="auto">Using this code:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import requests requests.get('https://github.com')"><pre class="notranslate"><code class="notranslate">import requests requests.get('https://github.com') </code></pre></div> <p dir="auto">Throws the following exception:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Traceback (most recent call last): File &quot;&lt;stdin&gt;&quot;, line 1, in &lt;module&gt; File &quot;/usr/lib/python2.7/site-packages/requests/api.py&quot;, line 55, in get return request('get', url, **kwargs) File &quot;/usr/lib/python2.7/site-packages/requests/api.py&quot;, line 44, in request return session.request(method=method, url=url, **kwargs) File &quot;/usr/lib/python2.7/site-packages/requests/sessions.py&quot;, line 456, in request resp = self.send(prep, **send_kwargs) File &quot;/usr/lib/python2.7/site-packages/requests/sessions.py&quot;, line 559, in send r = adapter.send(request, **kwargs) File &quot;/usr/lib/python2.7/site-packages/requests/adapters.py&quot;, line 382, in send raise SSLError(e, request=request) requests.exceptions.SSLError: hostname '&lt;Proxy&gt;' doesn't match either of 'github.com', 'www.github.com'"><pre class="notranslate"><code class="notranslate">Traceback (most recent call last): File "&lt;stdin&gt;", line 1, in &lt;module&gt; File "/usr/lib/python2.7/site-packages/requests/api.py", line 55, in get return request('get', url, **kwargs) File "/usr/lib/python2.7/site-packages/requests/api.py", line 44, in request return session.request(method=method, url=url, **kwargs) File "/usr/lib/python2.7/site-packages/requests/sessions.py", line 456, in request resp = self.send(prep, **send_kwargs) File "/usr/lib/python2.7/site-packages/requests/sessions.py", line 559, in send r = adapter.send(request, **kwargs) File "/usr/lib/python2.7/site-packages/requests/adapters.py", line 382, in send raise SSLError(e, request=request) requests.exceptions.SSLError: hostname '&lt;Proxy&gt;' doesn't match either of 'github.com', 'www.github.com' </code></pre></div> <p dir="auto">where is the URL of the http(s)-proxy I'm using. I have set the environment-variables HTTP_PROXY and HTTPS_PROXY (lowercase, too) to that URL. Is it possible to avoid that error without appending verify=False so I don't have to mess with other projects?</p>
0
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="====================================================================== FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions ---------------------------------------------------------------------- Traceback (most recent call last): File &quot;/Library/Python/2.7/site-packages/nose/case.py&quot;, line 197, in runTest self.test(*self.arg) File &quot;/Library/Python/2.7/site-packages/sklearn/feature_extraction/tests/test_image.py&quot;, line 63, in test_connect_regions assert_equal(ndimage.label(mask)[1], connected_components(graph)[0]) AssertionError: 777 != 767 ====================================================================== FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions_with_grid ---------------------------------------------------------------------- Traceback (most recent call last): File &quot;/Library/Python/2.7/site-packages/nose/case.py&quot;, line 197, in runTest self.test(*self.arg) File &quot;/Library/Python/2.7/site-packages/sklearn/feature_extraction/tests/test_image.py&quot;, line 70, in test_connect_regions_with_grid assert_equal(ndimage.label(mask)[1], connected_components(graph)[0]) AssertionError: 777 != 767 ----------------------------------------------------------------------"><pre class="notranslate"><code class="notranslate">====================================================================== FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions ---------------------------------------------------------------------- Traceback (most recent call last): File "/Library/Python/2.7/site-packages/nose/case.py", line 197, in runTest self.test(*self.arg) File "/Library/Python/2.7/site-packages/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 ====================================================================== FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions_with_grid ---------------------------------------------------------------------- Traceback (most recent call last): File "/Library/Python/2.7/site-packages/nose/case.py", line 197, in runTest self.test(*self.arg) File "/Library/Python/2.7/site-packages/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 ---------------------------------------------------------------------- </code></pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="====================================================================== FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions ---------------------------------------------------------------------- Traceback (most recent call last): File &quot;/Library/Python/2.7/site-packages/nose/case.py&quot;, line 197, in runTest self.test(*self.arg) File &quot;/Library/Python/2.7/site-packages/sklearn/feature_extraction/tests/test_image.py&quot;, line 63, in test_connect_regions assert_equal(ndimage.label(mask)[1], connected_components(graph)[0]) AssertionError: 777 != 767 ====================================================================== FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions_with_grid ---------------------------------------------------------------------- Traceback (most recent call last): File &quot;/Library/Python/2.7/site-packages/nose/case.py&quot;, line 197, in runTest self.test(*self.arg) File &quot;/Library/Python/2.7/site-packages/sklearn/feature_extraction/tests/test_image.py&quot;, line 70, in test_connect_regions_with_grid assert_equal(ndimage.label(mask)[1], connected_components(graph)[0]) AssertionError: 777 != 767 ---------------------------------------------------------------------- Ran 3342 tests in 148.698s FAILED (SKIP=20, failures=2)"><pre class="notranslate"><code class="notranslate">====================================================================== FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions ---------------------------------------------------------------------- Traceback (most recent call last): File "/Library/Python/2.7/site-packages/nose/case.py", line 197, in runTest self.test(*self.arg) File "/Library/Python/2.7/site-packages/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 ====================================================================== FAIL: sklearn.feature_extraction.tests.test_image.test_connect_regions_with_grid ---------------------------------------------------------------------- Traceback (most recent call last): File "/Library/Python/2.7/site-packages/nose/case.py", line 197, in runTest self.test(*self.arg) File "/Library/Python/2.7/site-packages/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 ---------------------------------------------------------------------- Ran 3342 tests in 148.698s FAILED (SKIP=20, failures=2) </code></pre></div>
1
<p dir="auto"><strong>Summary</strong></p> <p dir="auto">Apologies if this is not the right place to log this, but I seem to have the exact same issue as described here:</p> <p dir="auto"><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="119993977" data-permission-text="Title is private" data-url="https://github.com/microsoft/TypeScript/issues/5894" data-hovercard-type="issue" data-hovercard-url="/microsoft/TypeScript/issues/5894/hovercard" href="https://github.com/microsoft/TypeScript/issues/5894">#5894</a></p> <p dir="auto">but with VS2015 and the latest release of Typescript tools (1.8.6)</p> <p dir="auto">I've attached a sample project illustrating the issue. Essentially it's an empty web application with a single app.ts typescript file in a src folder, and a tsconfig.json file redirecting the output to a folder wwwroot.</p> <p dir="auto"><strong>TypeScript Version:</strong><br> 1.7.5 (according to tsc -v from commandline - not really sure if Visual studio uses the same?)<br> Typescript tools for Visual Studio: 1.8.6.0</p> <p dir="auto"><strong>Code</strong></p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="{ &quot;compilerOptions&quot;: { &quot;noImplicitAny&quot;: false, &quot;noEmitOnError&quot;: true, &quot;removeComments&quot;: false, &quot;sourceMap&quot;: true, &quot;target&quot;: &quot;es5&quot;, &quot;outDir&quot;: &quot;./wwwroot/&quot; }, &quot;exclude&quot;: [ &quot;node_modules&quot;, &quot;wwwroot&quot; ] }"><pre class="notranslate"><code class="notranslate">{ "compilerOptions": { "noImplicitAny": false, "noEmitOnError": true, "removeComments": false, "sourceMap": true, "target": "es5", "outDir": "./wwwroot/" }, "exclude": [ "node_modules", "wwwroot" ] } </code></pre></div> <p dir="auto"><a href="https://github.com/Microsoft/TypeScript/files/196950/TSTest.zip">TSTest.zip</a></p> <p dir="auto"><strong>Expected behavior:</strong></p> <p dir="auto">I can publish the project using File System publish method</p> <p dir="auto"><strong>Actual behavior:</strong></p> <p dir="auto">The publish fails with the error message:</p> <p dir="auto">Copying file src\app.js to obj\Release\Package\PackageTmp\src\app.js failed. Could not find file 'src\app.js'.</p>
<p dir="auto">Hi, I have a problem publishing an asp.net 4 app using angular, ts 1.8 from visual studio.<br> Since with ts 1.8 is possible to add a tsconfig file in asp.net 4 projects too, I added it and configured it to create a single output file this way</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="{ &quot;compilerOptions&quot;: { &quot;noImplicitAny&quot;: false, &quot;noEmitOnError&quot;: true, &quot;removeComments&quot;: false, &quot;target&quot;: &quot;es5&quot;, &quot;inlineSourceMap&quot;: true, &quot;inlineSources&quot;: true, &quot;outFile&quot;: &quot;Scripts/application.js&quot; }, &quot;exclude&quot;: [ &quot;node_modules&quot;, &quot;wwwroot&quot; ] } "><pre class="notranslate"><code class="notranslate">{ "compilerOptions": { "noImplicitAny": false, "noEmitOnError": true, "removeComments": false, "target": "es5", "inlineSourceMap": true, "inlineSources": true, "outFile": "Scripts/application.js" }, "exclude": [ "node_modules", "wwwroot" ] } </code></pre></div> <p dir="auto">All works fine until I try to deploy to an azure app service using web deploy: added it, configured, but when I try to deploy I have this error:</p> <p dir="auto"><code class="notranslate">Copying file App\Maintenance.js to obj\Debug\Package\PackageTmp\App\Maintenance.js failed. Could not find file 'App\Maintenance.js'. </code></p> <p dir="auto">This is one the ts files that are compiled in the single file 'application.js'.<br> If my ts installation is not broken, looks like web deploy still continues to look inside the msbuild project settings for the deployment settings of ts files, but adding tsconfig.json file this changes, and when tsconfig file is present typescript project settings are disabled.</p> <p dir="auto">Proof of this is that if I rename the tsconfig file, reapply settings via project settings and try to deploy, everything works fine.</p> <p dir="auto">Is this normal?</p>
1
<p dir="auto"><strong>Apache Airflow version</strong>: 1.10.10 and 1.10.9 has been verified</p> <p dir="auto"><strong>Kubernetes version (if you are using kubernetes)</strong> (use <code class="notranslate">kubectl version</code>):<br> no Kube</p> <p dir="auto"><strong>Environment</strong>:</p> <ul dir="auto"> <li><strong>Others</strong>: docker environment with java 1.8</li> </ul> <p dir="auto"><strong>What happened</strong>:</p> <p dir="auto">The existing function to extract a job id from the monitoring page is no longer compatible with new beam 2.20:</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/apache/airflow/blob/96697180d79bfc90f6964a8e99f9dd441789177c/airflow/contrib/hooks/gcp_dataflow_hook.py#L142-L148">airflow/airflow/contrib/hooks/gcp_dataflow_hook.py</a> </p> <p class="mb-0 color-fg-muted"> Lines 142 to 148 in <a data-pjax="true" class="commit-tease-sha" href="/apache/airflow/commit/96697180d79bfc90f6964a8e99f9dd441789177c">9669718</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-k">def</span> <span class="pl-en">_extract_job</span>(<span class="pl-s1">line</span>): </td> </tr> <tr class="border-0"> <td id="L143" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="143"></td> <td id="LC143" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-c"># Job id info: https://goo.gl/SE29y9.</span> </td> </tr> <tr class="border-0"> <td id="L144" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="144"></td> <td id="LC144" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-s1">job_id_pattern</span> <span class="pl-c1">=</span> <span class="pl-s1">re</span>.<span class="pl-en">compile</span>( </td> </tr> <tr class="border-0"> <td id="L145" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="145"></td> <td id="LC145" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-s">br'.*console.cloud.google.com/dataflow.*/jobs/([a-z|0-9|A-Z|\-|\_]+).*'</span>) </td> </tr> <tr class="border-0"> <td id="L146" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="146"></td> <td id="LC146" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-s1">matched_job</span> <span class="pl-c1">=</span> <span class="pl-s1">job_id_pattern</span>.<span class="pl-en">search</span>(<span class="pl-s1">line</span> <span class="pl-c1">or</span> <span class="pl-s">''</span>) </td> </tr> <tr class="border-0"> <td id="L147" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="147"></td> <td id="LC147" 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">matched_job</span>: </td> </tr> <tr class="border-0"> <td id="L148" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="148"></td> <td id="LC148" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-k">return</span> <span class="pl-s1">matched_job</span>.<span class="pl-en">group</span>(<span class="pl-c1">1</span>).<span class="pl-en">decode</span>() </td> </tr> </tbody></table> </div> </div> <p></p> <p dir="auto">The monitoring page includes the zone as part of the URL causing the regex to extract always the <code class="notranslate">zone</code> instead of the <code class="notranslate">job_id</code></p> <p dir="auto">A new regex compatible with the new and old monitoring url needs to be added to the operator:</p> <p dir="auto"><a href="https://github.com/apache/beam/blob/v2.20.0/runners/google-cloud-dataflow-java/src/main/java/org/apache/beam/runners/dataflow/util/MonitoringUtil.java#L192-L195">https://github.com/apache/beam/blob/v2.20.0/runners/google-cloud-dataflow-java/src/main/java/org/apache/beam/runners/dataflow/util/MonitoringUtil.java#L192-L195</a></p> <p dir="auto">As per the been new configuration region is extracted instead of the job id</p>
<p dir="auto"><strong>Apache Airflow 1.10.10</strong>:</p> <p dir="auto"><strong>Kubernetes version (if you are using kubernetes)</strong> (use <code class="notranslate">kubectl version</code>):</p> <p dir="auto"><strong>Environment</strong>:</p> <ul dir="auto"> <li><strong>Cloud provider or hardware configuration</strong>:</li> <li><strong>OS</strong> (e.g. from /etc/os-release):<br> NAME="CentOS Linux"<br> VERSION="7 (Core)"<br> ID="centos"<br> ID_LIKE="rhel fedora"<br> VERSION_ID="7"<br> PRETTY_NAME="CentOS Linux 7 (Core)"<br> ANSI_COLOR="0;31"<br> CPE_NAME="cpe:/o:centos:centos:7"<br> HOME_URL="<a href="https://www.centos.org/" rel="nofollow">https://www.centos.org/</a>"<br> BUG_REPORT_URL="<a href="https://bugs.centos.org/" rel="nofollow">https://bugs.centos.org/</a>"</li> </ul> <p dir="auto">CENTOS_MANTISBT_PROJECT="CentOS-7"<br> CENTOS_MANTISBT_PROJECT_VERSION="7"<br> REDHAT_SUPPORT_PRODUCT="centos"<br> REDHAT_SUPPORT_PRODUCT_VERSION="7"</p> <ul dir="auto"> <li> <p dir="auto"><strong>Kernel</strong> (e.g. <code class="notranslate">uname -a</code>):<br> Linux mid1-t029nifi-1 3.10.0-327.28.3.el7.x86_64 <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="69689814" data-permission-text="Title is private" data-url="https://github.com/apache/airflow/issues/1" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/1/hovercard" href="https://github.com/apache/airflow/pull/1">#1</a> SMP Thu Aug 18 19:05:49 UTC 2016 x86_64 x86_64 x86_64 GNU/Linux</p> </li> <li> <p dir="auto"><strong>Install tools</strong>:<br> pip, yum</p> </li> <li> <p dir="auto"><strong>Others</strong>:</p> </li> </ul> <p dir="auto"><strong>What happened</strong>:</p> <p dir="auto">When dag serialisation is active, If I manually start an operator, the 1st one works fine, the next will fail with this error:</p> <p dir="auto">Could not queue task instance for execution, dependencies not met: Trigger Rule: Task's trigger rule 'all_success' requires all upstream tasks to have succeeded, but found 1 non-success(es). upstream_tasks_state={'skipped': Decimal('0'), 'successes': Decimal('0'), 'failed': Decimal('0'), 'upstream_failed': Decimal('0'), 'done': 0L, 'total': 1}, upstream_task_ids=set([u'query']</p> <p dir="auto">Settings dag serialisation to false the problem does not arise.</p> <p dir="auto">please note : <em>Scheduler works fine</em>.</p> <p dir="auto"><strong>What you expected to happen</strong>:</p> <p dir="auto">I expected to start manually all the dag's tasks from the 1st one to the last.</p> <p dir="auto">Code is not able to correctly find the task's status that is before the one I'm restarting.<br> If I start the 1st operator, anything works fine.</p> <p dir="auto">You can reproduce it following these steps:</p> <ol start="0" dir="auto"> <li>enable dag serialisation</li> <li>put the DAG in pause ( so that the scheduler won't touch it )</li> <li>start the 1st operator and wait it completes and it's successful</li> <li>start the 2nd operator....</li> </ol> <p dir="auto">op1 &gt;&gt; op2</p> <p dir="auto"><strong>Anything else we need to know</strong>:</p> <p dir="auto">This happens every time.<br> Mysql 5.7.x, Python 2.7</p>
0
<h3 dir="auto">Apache Airflow version</h3> <p dir="auto">2.4.0</p> <h3 dir="auto">What happened</h3> <p dir="auto">On our Airflow 2.4.0 instance, we have 1 weekly report (schedule <code class="notranslate">17 10 * * 1</code>) and 1 monthly report (schedule <code class="notranslate">30 0 9 * *</code>) (and no others). The dags didn't have their schedules changed (which appears to be related to the 1.10 issue). They are both built in python files that have other dags, most of which are daily. I have also briefly tested extracting the weekly run out into its own file, and it also does not run on schedule.</p> <p dir="auto">Neither of them execute. Today (2022-10-11), the weekly dag still reports <code class="notranslate">Next Run: 2022-10-10, 10:17:00</code>.</p> <p dir="auto">The monthly DAG (which should have run on the 9th), has iterated to next month. I pinpointed the point in which it rescheduled the next execution to the next month, which was exactly 24 hours after the scheduled runtime. I therefore suspect the weekly dag also to be rescheduled later today</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[2022-10-11T00:29:40.561-0400] {logging_mixin.py:117} INFO - [2022-10-11T00:29:40.561-0400] {dag.py:3324} INFO - Setting next_dagrun for crons_update_data_dictionary to 2022-10-09T04:30:00+00:00, run_after=2022-11-09T05:30:00+00:00 [2022-10-11T00:30:11.563-0400] {processor.py:768} INFO - DAG(s) dict_keys(['crons_update_airflow', 'crons_heartbeat', 'crons_update_markdown_documentation', 'crons_update_data_dictionary']) retrieved from /srv/local/git/airflow/dags/crons_system.py ... after the completion of the normal processing of the crons_system.py when nothing is run ... [2022-10-11T00:30:11.754-0400] {logging_mixin.py:117} INFO - [2022-10-11T00:30:11.754-0400] {dag.py:3324} INFO - Setting next_dagrun for crons_update_data_dictionary to 2022-11-09T05:30:00+00:00, run_after=2022-12-09T05:30:00+00:00 [2022-10-11T00:30:42.756-0400] {processor.py:768} INFO - DAG(s) dict_keys(['crons_update_markdown_documentation', 'crons_heartbeat', 'crons_update_airflow', 'crons_update_data_dictionary']) retrieved from /srv/local/git/airflow/dags/crons_system.py"><pre lang="conf" class="notranslate"><code class="notranslate">[2022-10-11T00:29:40.561-0400] {logging_mixin.py:117} INFO - [2022-10-11T00:29:40.561-0400] {dag.py:3324} INFO - Setting next_dagrun for crons_update_data_dictionary to 2022-10-09T04:30:00+00:00, run_after=2022-11-09T05:30:00+00:00 [2022-10-11T00:30:11.563-0400] {processor.py:768} INFO - DAG(s) dict_keys(['crons_update_airflow', 'crons_heartbeat', 'crons_update_markdown_documentation', 'crons_update_data_dictionary']) retrieved from /srv/local/git/airflow/dags/crons_system.py ... after the completion of the normal processing of the crons_system.py when nothing is run ... [2022-10-11T00:30:11.754-0400] {logging_mixin.py:117} INFO - [2022-10-11T00:30:11.754-0400] {dag.py:3324} INFO - Setting next_dagrun for crons_update_data_dictionary to 2022-11-09T05:30:00+00:00, run_after=2022-12-09T05:30:00+00:00 [2022-10-11T00:30:42.756-0400] {processor.py:768} INFO - DAG(s) dict_keys(['crons_update_markdown_documentation', 'crons_heartbeat', 'crons_update_airflow', 'crons_update_data_dictionary']) retrieved from /srv/local/git/airflow/dags/crons_system.py </code></pre></div> <h3 dir="auto">What you think should happen instead</h3> <p dir="auto">The dags should execute based on their schedule.</p> <h3 dir="auto">How to reproduce</h3> <p dir="auto">Our airflow distribution is in a git repo and can be easily deployed as temporary development servers. I can confirm this gets reproduced in duplicate deployments, and so I do not believe this behavior is specific to our instance.</p> <h3 dir="auto">Operating System</h3> <p dir="auto">Ubuntu 22.04 running on AWS</p> <h3 dir="auto">Versions of Apache Airflow Providers</h3> <p dir="auto">apache-airflow-providers-celery==3.0.0<br> apache-airflow-providers-common-sql==1.2.0<br> apache-airflow-providers-ftp==3.1.0<br> apache-airflow-providers-http==4.0.0<br> apache-airflow-providers-imap==3.0.0<br> apache-airflow-providers-postgres==5.2.1<br> apache-airflow-providers-sqlite==3.2.1<br> apache-airflow-providers-ssh==3.1.0</p> <h3 dir="auto">Deployment</h3> <p dir="auto">Other</p> <h3 dir="auto">Deployment details</h3> <p dir="auto">We have a production instance that primarily servers as our Airflow hub, and so this is a pip-based global install</p> <h3 dir="auto">Anything else</h3> <p dir="auto">I'd be happy to submit a PR if we can identify the issue.</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">Body</h3> <p dir="auto">I have a kind request for all the contributors to the latest provider packages release.<br> Could you please help us to test the RC versions of the providers?</p> <p dir="auto">Let us know in the comment, whether the issue is addressed.</p> <p dir="auto">Those are providers that require testing as there were some substantial changes introduced:</p> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-alibaba/2.2.0rc1" rel="nofollow">alibaba: 2.2.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27517" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27517/hovercard">Use log.exception where more economical than log.error (#27517)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27389" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27389/hovercard">Replace urlparse with urlsplit (#27389)</a>: @WestonKing-Leatham</li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-amazon/6.1.0rc1" rel="nofollow">amazon: 6.1.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27389" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27389/hovercard">Replace urlparse with urlsplit (#27389)</a>: @WestonKing-Leatham</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27134" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27134/hovercard">Add info about JSON Connection format for AWS SSM Parameter Store Secrets Backend (#27134)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/Taragolis/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/Taragolis">@Taragolis</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27458" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27458/hovercard">Add default name to EMR Serverless jobs (#27458)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/syedahsn/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/syedahsn">@syedahsn</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26886" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26886/hovercard">Adding <code class="notranslate">preserve_file_name</code> param to <code class="notranslate">S3Hook.download_file</code> method (#26886)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/alexkruc/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/alexkruc">@alexkruc</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26652" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26652/hovercard">Add GlacierUploadArchiveOperator (#26652)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/pankajastro/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/pankajastro">@pankajastro</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27076" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27076/hovercard">Add RdsStopDbOperator and RdsStartDbOperator (#27076)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/hankehly/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/hankehly">@hankehly</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27017" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27017/hovercard"><code class="notranslate">GoogleApiToS3Operator</code> : add <code class="notranslate">gcp_conn_id</code> to template fields (#27017)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/syedahsn/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/syedahsn">@syedahsn</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26687" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26687/hovercard">Add information about Amazon Elastic MapReduce Connection (#26687)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/Taragolis/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/Taragolis">@Taragolis</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26805" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26805/hovercard">Add Batch Operator template fields (#26805)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/ferruzzi/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/ferruzzi">@ferruzzi</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26953" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26953/hovercard">Improve testing AWS Connection response (#26953)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/Taragolis/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/Taragolis">@Taragolis</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27456" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27456/hovercard">SagemakerProcessingOperator stopped honoring <code class="notranslate">existing_jobs_found</code> (#27456)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/ferruzzi/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/ferruzzi">@ferruzzi</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27564" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27564/hovercard">CloudWatch task handler doesn't fall back to local logs when Amazon CloudWatch logs aren't found (#27564)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/hankehly/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/hankehly">@hankehly</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27602" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27602/hovercard">Fix backwards compatibility for RedshiftSQLOperator (#27602)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/syedahsn/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/syedahsn">@syedahsn</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27533" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27533/hovercard">Fix typo in redshift sql hook <code class="notranslate">get_ui_field_behaviour</code> (#27533)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/pankajastro/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/pankajastro">@pankajastro</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27149" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27149/hovercard">Fix example_emr_serverless system test (#27149)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/vincbeck/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/vincbeck">@vincbeck</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27330" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27330/hovercard">[Docs] Fix duplicate param in docstring RedshiftSQLHook <code class="notranslate">get_table_primary_key</code> method (#27330)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/pankajastro/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/pankajastro">@pankajastro</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27207" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27207/hovercard">Adds s3_key_prefix to template fields (#27207)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/mfjackson/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/mfjackson">@mfjackson</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26946" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26946/hovercard">Fix assume role if user explicit set credentials (#26946)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/Taragolis/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/Taragolis">@Taragolis</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26853" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26853/hovercard">Fix failure state in waiter call for EmrServerlessStartJobOperator (#26853)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/syedahsn/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/syedahsn">@syedahsn</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26857" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26857/hovercard">Fix a bunch of deprecation warnings AWS tests (#26857)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/uranusjr/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/uranusjr">@uranusjr</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26676" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26676/hovercard">Fix null strings bug in SqlToS3Operator in non parquet formats (#26676)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/harryplumer/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/harryplumer">@harryplumer</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27551" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27551/hovercard">Sagemaker hook: remove extra call at the end when waiting for completion (#27551)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/vandonr-amz/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/vandonr-amz">@vandonr-amz</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26921" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26921/hovercard">ECS Buglette (#26921)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/ferruzzi/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/ferruzzi">@ferruzzi</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26784" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26784/hovercard">Avoid circular imports in AWS Secrets Backends if obtain secrets from config (#26784)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/Taragolis/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/Taragolis">@Taragolis</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-apache-beam/4.1.0rc1" rel="nofollow">apache.beam: 4.1.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27263" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27263/hovercard">Add backward compatibility with old versions of Apache Beam (#27263)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/mik-laj/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/mik-laj">@mik-laj</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-apache-drill/2.3.0rc1" rel="nofollow">apache.drill: 2.3.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-apache-druid/3.3.0rc1" rel="nofollow">apache.druid: 3.3.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27174" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27174/hovercard">BugFix - Druid Airflow Exception to about content (#27174)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/emincanoguz11/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/emincanoguz11">@emincanoguz11</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-apache-hive/4.1.0rc1" rel="nofollow">apache.hive: 4.1.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27647" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27647/hovercard">Filter out invalid schemas in Hive hook (#27647)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/potiuk/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/potiuk">@potiuk</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-apache-livy/3.2.0rc1" rel="nofollow">apache.livy: 3.2.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27404" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27404/hovercard">Add template to Livy operator documentation (#27404)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/bdsoha/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/bdsoha">@bdsoha</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27376" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27376/hovercard">Add Spark's <code class="notranslate">appId</code> to xcom output (#27376)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/bdsoha/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/bdsoha">@bdsoha</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27321" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27321/hovercard">Add template field renderer to LivyOperator (#27321)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/bdsoha/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/bdsoha">@bdsoha</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-apache-pig/4.0.0rc1" rel="nofollow">apache.pig: 4.0.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27644" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27644/hovercard">Pig cli properties cannot be passed by connection extra (#27644)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/potiuk/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/potiuk">@potiuk</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-apache-pinot/4.0.0rc1" rel="nofollow">apache.pinot: 4.0.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27641" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27641/hovercard">The pinot-admin.sh command is now hard-coded. (#27641)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/potiuk/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/potiuk">@potiuk</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27201" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27201/hovercard">Bump pinotdb version (#27201)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/eladkal/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/eladkal">@eladkal</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-apache-spark/4.0.0rc1" rel="nofollow">apache.spark: 4.0.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27646" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27646/hovercard">Remove custom spark home and custom binarires for spark (#27646)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/potiuk/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/potiuk">@potiuk</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-arangodb/2.1.0rc1" rel="nofollow">arangodb: 2.1.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/24386" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/24386/hovercard">Fix links to sources for examples (#24386)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/potiuk/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/potiuk">@potiuk</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-asana/3.0.0rc1" rel="nofollow">asana: 3.0.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27043" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27043/hovercard">Allow and prefer non-prefixed extra fields for AsanaHook (#27043)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-cncf-kubernetes/5.0.0rc3" rel="nofollow">cncf.kubernetes: 5.0.0rc3</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27518" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27518/hovercard">Remove deprecated backcompat objects for KPO (#27518)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27515" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27515/hovercard">Remove support for node_selectors param in KPO (#27515)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27490" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27490/hovercard">Remove unused backcompat method in k8s hook (#27490)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27197" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27197/hovercard">Drop support for providing <code class="notranslate">resource</code> as dict in <code class="notranslate">KubernetesPodOperator</code> (#27197)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/eladkal/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/eladkal">@eladkal</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26848" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26848/hovercard">Deprecate use of core kube_client in PodManager (#26848)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26849" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26849/hovercard">Don't consider airflow core conf for KPO (#26849)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27517" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27517/hovercard">Use log.exception where more economical than log.error (#27517)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27457" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27457/hovercard">Add container_resources as KubernetesPodOperator templatable (#27457)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/alanatlemba/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/alanatlemba">@alanatlemba</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27202" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27202/hovercard">Add deprecation warning re unset namespace in k8s hook (#27202)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26560" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26560/hovercard">add container_name option for SparkKubernetesSensor (#26560)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/hanna-liashchuk/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/hanna-liashchuk">@hanna-liashchuk</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26766" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26766/hovercard">Allow xcom sidecar container image to be configurable (#26766)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/bdsoha/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/bdsoha">@bdsoha</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27524" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27524/hovercard">Improve task_id to pod name conversion (#27524)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27120" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27120/hovercard">Make pod name optional in KubernetesPodOperator (#27120)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27116" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27116/hovercard">Make namespace optional for KPO (#27116)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27433" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27433/hovercard">Enable template rendering for env_vars field for the @task.kubernetes decorator (#27433)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/fletchjeff/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/fletchjeff">@fletchjeff</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25787" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25787/hovercard">Fix KubernetesHook failed on an attribute metadata:name absence (#25787)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/morooshka/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/morooshka">@morooshka</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26999" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26999/hovercard">Fix log message for kubernetes hooks (#26999)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/FingerLiu/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/FingerLiu">@FingerLiu</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27021" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27021/hovercard">Remove extra__kubernetes__ prefix from k8s hook extras (#27021)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27516" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27516/hovercard">KPO should use hook's get namespace method to get namespace (#27516)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-common-sql/1.3.0rc1" rel="nofollow">common.sql: 1.3.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26944" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26944/hovercard">Use DbApiHook.run for DbApiHook.get_records and DbApiHook.get_first (#26944)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26758" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26758/hovercard">DbApiHook consistent insert_rows logging (#26758)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/curlup/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/curlup">@curlup</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26761" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26761/hovercard">Common sql bugfixes and improvements (#26761)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/denimalpaca/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/denimalpaca">@denimalpaca</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27599" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27599/hovercard">Use unused SQLCheckOperator.parameters in SQLCheckOperator.execute. (#27599)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/wjmolina/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/wjmolina">@wjmolina</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-databricks/3.4.0rc1" rel="nofollow">databricks: 3.4.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27389" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27389/hovercard">Replace urlparse with urlsplit (#27389)</a>: @WestonKing-Leatham</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27446" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27446/hovercard">Use new job search API for triggering Databricks job by name (#27446)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/alexott/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/alexott">@alexott</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-docker/3.3.0rc1" rel="nofollow">docker: 3.3.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27553" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27553/hovercard">Add ipc_mode for DockerOperator (#27553)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/mrk-andreev/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/mrk-andreev">@mrk-andreev</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26951" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26951/hovercard">Add env-file parameter to Docker Operator (#26951)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/sshivprasad/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/sshivprasad">@sshivprasad</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-exasol/4.1.0rc1" rel="nofollow">exasol: 4.1.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26944" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26944/hovercard">Use DbApiHook.run for DbApiHook.get_records and DbApiHook.get_first (#26944)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-google/8.5.0rc1" rel="nofollow">google: 8.5.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27543" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27543/hovercard">Rename hook bigquery function <code class="notranslate">_bq_cast</code> to <code class="notranslate">bq_cast</code> (#27543)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/pankajastro/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/pankajastro">@pankajastro</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27547" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27547/hovercard">Use non-deprecated method for on_kill in BigQueryHook (#27547)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27236" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27236/hovercard">Typecast bigquery job response col value (#27236)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/pankajastro/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/pankajastro">@pankajastro</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26922" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26922/hovercard">Remove &lt;2 limit on google-cloud-storage (#26922)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/r-richmond/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/r-richmond">@r-richmond</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27263" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27263/hovercard">Add backward compatibility with old versions of Apache Beam (#27263)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/mik-laj/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/mik-laj">@mik-laj</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27052" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27052/hovercard">Add deferrable mode to GCPToBigQueryOperator + tests (#27052)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/VladaZakharova/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/VladaZakharova">@VladaZakharova</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27053" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27053/hovercard">Add system tests for Vertex AI operators in new approach (#27053)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/VladaZakharova/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/VladaZakharova">@VladaZakharova</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27144" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27144/hovercard">Dataform operators, links, update system tests and docs (#27144)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/MrGeorgeOwl/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/MrGeorgeOwl">@MrGeorgeOwl</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27361" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27361/hovercard">Allow values in WorkflowsCreateExecutionOperator execution argument to be dicts (#27361)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/rkarish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/rkarish">@rkarish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27033" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27033/hovercard">DataflowStopJobOperator Operator (#27033)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/Voldurk/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/Voldurk">@Voldurk</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26876" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26876/hovercard">Allow for the overriding of stringify_dict for json/jsonb column data… (#26876)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/sleepy-tiger/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/sleepy-tiger">@sleepy-tiger</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25608" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25608/hovercard">Add new Compute Engine Operators and fix system tests (#25608)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/VladaZakharova/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/VladaZakharova">@VladaZakharova</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27039" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27039/hovercard">Allow and prefer non-prefixed extra fields for dataprep hook (#27039)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26761" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26761/hovercard">Common sql bugfixes and improvements (#26761)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/denimalpaca/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/denimalpaca">@denimalpaca</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27023" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27023/hovercard">Update google hooks to prefer non-prefixed extra fields (#27023)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26126" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26126/hovercard">Fix delay in Dataproc CreateBatch operator (#26126)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/VladaZakharova/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/VladaZakharova">@VladaZakharova</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27525" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27525/hovercard">Remove unnecessary newlines around single arg in signature (#27525)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27521" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27521/hovercard">set project_id and location when canceling BigQuery job (#27521)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/lidalei/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/lidalei">@lidalei</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27336" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27336/hovercard">use <code class="notranslate">id</code> key to retrieve the dataflow job_id (#27336)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dejii/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dejii">@dejii</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27261" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27261/hovercard">Make GSheetsHook return an empty list when there are no values (#27261)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/alexandermalyga/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/alexandermalyga">@alexandermalyga</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26836" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26836/hovercard">Cloud ML Engine operators assets (AIP-47) (#26836)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/bkossakowska/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/bkossakowska">@bkossakowska</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-grpc/3.1.0rc1" rel="nofollow">grpc: 3.1.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27489" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27489/hovercard">Look for <code class="notranslate">extra__</code> instead of <code class="notranslate">extra_</code> in <code class="notranslate">get_field</code> (#27489)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27045" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27045/hovercard">Allow and prefer non-prefixed extra fields for GrpcHook (#27045)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-hashicorp/3.2.0rc1" rel="nofollow">hashicorp: 3.2.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25799" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25799/hovercard">Add Airflow specific warning classes (#25799)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/eladkal/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/eladkal">@eladkal</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-jdbc/3.3.0rc1" rel="nofollow">jdbc: 3.3.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27044" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27044/hovercard">Allow and prefer non-prefixed extra fields for JdbcHook (#27044)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27489" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27489/hovercard">Look for <code class="notranslate">extra__</code> instead of <code class="notranslate">extra_</code> in <code class="notranslate">get_field</code> (#27489)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-microsoft-azure/5.0.0rc1" rel="nofollow">microsoft.azure: 5.0.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27417" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27417/hovercard">Remove deprecated classes in Azure provider (#27417)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/eladkal/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/eladkal">@eladkal</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27535" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27535/hovercard">Add azure, google, authentication library limits to eager upgrade (#27535)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/potiuk/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/potiuk">@potiuk</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27220" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27220/hovercard">Allow and prefer non-prefixed extra fields for remaining azure (#27220)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27041" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27041/hovercard">Allow and prefer non-prefixed extra fields for AzureFileShareHook (#27041)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27219" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27219/hovercard">Allow and prefer non-prefixed extra fields for AzureDataExplorerHook (#27219)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27047" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27047/hovercard">Allow and prefer non-prefixed extra fields for AzureDataFactoryHook (#27047)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27024" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27024/hovercard">Update WasbHook to reflect preference for unprefixed extra (#27024)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27489" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27489/hovercard">Look for <code class="notranslate">extra__</code> instead of <code class="notranslate">extra_</code> in <code class="notranslate">get_field</code> (#27489)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27601" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27601/hovercard">Fix Azure Batch errors revealed by added typing to azure batch lib (#27601)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/potiuk/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/potiuk">@potiuk</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26749" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26749/hovercard">Fix separator getting added to variables_prefix when empty (#26749)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/rajaths010494/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/rajaths010494">@rajaths010494</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-microsoft-mssql/3.3.0rc1" rel="nofollow">microsoft.mssql: 3.3.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27525" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27525/hovercard">Remove unnecessary newlines around single arg in signature (#27525)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-microsoft-winrm/3.1.0rc1" rel="nofollow">microsoft.winrm: 3.1.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26788" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26788/hovercard">A few docs fixups (#26788)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/blag/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/blag">@blag</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-mongo/3.1.0rc1" rel="nofollow">mongo: 3.1.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/24386" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/24386/hovercard">Fix links to sources for examples (#24386)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/potiuk/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/potiuk">@potiuk</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-mysql/3.3.0rc1" rel="nofollow">mysql: 3.3.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-opsgenie/5.0.0rc1" rel="nofollow">opsgenie: 5.0.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27252" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27252/hovercard">Remove deprecated code from Opsgenie provider (#27252)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/eladkal/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/eladkal">@eladkal</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-oracle/3.5.0rc1" rel="nofollow">oracle: 3.5.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-postgres/5.3.0rc1" rel="nofollow">postgres: 5.3.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26661" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26661/hovercard">PostgresHook: Added ON CONFLICT DO NOTHING statement when all target fields are primary keys (#26661)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/alexandermalyga/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/alexandermalyga">@alexandermalyga</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26744" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26744/hovercard">Rename schema to database in PostgresHook (#26744)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/feluelle/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/feluelle">@feluelle</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-salesforce/5.2.0rc1" rel="nofollow">salesforce: 5.2.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27075" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27075/hovercard">Allow and prefer non-prefixed extra fields for SalesforceHook (#27075)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-sendgrid/3.1.0rc1" rel="nofollow">sendgrid: 3.1.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25799" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25799/hovercard">Add Airflow specific warning classes (#25799)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/eladkal/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/eladkal">@eladkal</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-sftp/4.2.0rc1" rel="nofollow">sftp: 4.2.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/26593" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26593/hovercard">SFTP Provider: Fix default folder permissions (#26593)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/MatthieuBlais/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/MatthieuBlais">@MatthieuBlais</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-slack/7.0.0rc1" rel="nofollow">slack: 7.0.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27070" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27070/hovercard">Allow and prefer non-prefixed extra fields for slack hooks (#27070)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-snowflake/4.0.0rc1" rel="nofollow">snowflake: 4.0.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26764" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26764/hovercard">Update snowflake hook to not use extra prefix (#26764)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27599" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27599/hovercard">Use unused SQLCheckOperator.parameters in SQLCheckOperator.execute. (#27599)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/wjmolina/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/wjmolina">@wjmolina</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-sqlite/3.3.0rc1" rel="nofollow">sqlite: 3.3.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-ssh/3.3.0rc1" rel="nofollow">ssh: 3.3.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27301" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27301/hovercard">Added docs regarding templated field (#27301)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/bdsoha/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/bdsoha">@bdsoha</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26824" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26824/hovercard">Added environment to templated SSHOperator fields (#26824)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/bdsoha/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/bdsoha">@bdsoha</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27442" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27442/hovercard">Apply log formatter on every ouput line in SSHOperator (#27442)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dolfinus/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dolfinus">@dolfinus</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/26788" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/26788/hovercard">A few docs fixups (#26788)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/blag/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/blag">@blag</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27184" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27184/hovercard">SSHOperator ignores cmd_timeout (#27182) (#27184)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/punx120/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/punx120">@punx120</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-tableau/4.0.0rc1" rel="nofollow">tableau: 4.0.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27288" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27288/hovercard">Remove deprecated Tableau classes (#27288)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/eladkal/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/eladkal">@eladkal</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-trino/4.2.0rc1" rel="nofollow">trino: 4.2.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27168" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27168/hovercard">Bump Trino version to fix non-working DML queries (#27168)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/alexandermalyga/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/alexandermalyga">@alexandermalyga</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-vertica/3.3.0rc1" rel="nofollow">vertica: 3.3.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/25717" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/25717/hovercard">Add SQLExecuteQueryOperator (#25717)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kazanzhy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kazanzhy">@kazanzhy</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-yandex/3.2.0rc1" rel="nofollow">yandex: 3.2.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <a href="https://github.com/apache/airflow/pull/27040" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27040/hovercard">Allow no extra prefix in yandex hook (#27040)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/dstandish/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/dstandish">@dstandish</a></li> </ul> <h2 dir="auto">Provider <a href="https://pypi.org/project/apache-airflow-providers-zendesk/4.1.0rc1" rel="nofollow">zendesk: 4.1.0rc1</a></h2> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/apache/airflow/pull/27363" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/27363/hovercard">fix zendesk change log (#27363)</a>: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/eladkal/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/eladkal">@eladkal</a></li> </ul> <p dir="auto">The guidelines on how to test providers can be found in</p> <p dir="auto"><a href="https://github.com/apache/airflow/blob/main/dev/README_RELEASE_PROVIDER_PACKAGES.md#verify-by-contributors">Verify providers by contributors</a></p> <h3 dir="auto">Committer</h3> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I acknowledge that I am a maintainer/committer of the Apache Airflow project.</li> </ul>
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!</li> </ul> <p dir="auto"><strong>Current Behavior</strong></p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="TypeError: Cannot read property 'range' of null Occurred while linting ...\..\index.vue:66 at OffsetStorage.setDesiredOffset (...\node_modules\eslint\lib\rules\indent.js:340:45) at ...\node_modules\eslint\lib\rules\indent.js:1358:29 at Array.forEach (&lt;anonymous&gt;) at Object.TemplateLiteral [as listener] (...\node_modules\eslint\lib\rules\indent.js:1350:34) at ...\node_modules\eslint\lib\rules\indent.js:1596:55 at Array.forEach (&lt;anonymous&gt;) at Program:exit (...\node_modules\eslint\lib\rules\indent.js:1596:26) at ...\node_modules\eslint\lib\linter\safe-emitter.js:45:58 at Array.forEach (&lt;anonymous&gt;) at Object.emit (...\node_modules\eslint\lib\linter\safe-emitter.js:45:38)"><pre class="notranslate"><code class="notranslate">TypeError: Cannot read property 'range' of null Occurred while linting ...\..\index.vue:66 at OffsetStorage.setDesiredOffset (...\node_modules\eslint\lib\rules\indent.js:340:45) at ...\node_modules\eslint\lib\rules\indent.js:1358:29 at Array.forEach (&lt;anonymous&gt;) at Object.TemplateLiteral [as listener] (...\node_modules\eslint\lib\rules\indent.js:1350:34) at ...\node_modules\eslint\lib\rules\indent.js:1596:55 at Array.forEach (&lt;anonymous&gt;) at Program:exit (...\node_modules\eslint\lib\rules\indent.js:1596:26) at ...\node_modules\eslint\lib\linter\safe-emitter.js:45:58 at Array.forEach (&lt;anonymous&gt;) at Object.emit (...\node_modules\eslint\lib\linter\safe-emitter.js:45:38) </code></pre></div> <p dir="auto"><strong>Input Code</strong></p> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="function compFunc(componentName) { let component = () =&gt; import(`components/${componentName}`) } compFunc(&quot;component-name&quot;)"><pre class="notranslate"><span class="pl-k">function</span> <span class="pl-en">compFunc</span><span class="pl-kos">(</span><span class="pl-s1">componentName</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-k">let</span> <span class="pl-en">component</span> <span class="pl-c1">=</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-c1">=&gt;</span> <span class="pl-k">import</span><span class="pl-kos">(</span><span class="pl-s">`components/<span class="pl-s1"><span class="pl-kos">${</span><span class="pl-s1">componentName</span><span class="pl-kos">}</span></span>`</span><span class="pl-kos">)</span> <span class="pl-kos">}</span> <span class="pl-en">compFunc</span><span class="pl-kos">(</span><span class="pl-s">"component-name"</span><span class="pl-kos">)</span></pre></div> <p dir="auto"><strong>Expected behavior/code</strong><br> No issues found by eslint or eslint rule name.</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">.babelrc</code></li> </ul> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="{ &quot;presets&quot;: [ [ &quot;@babel/preset-env&quot;, { &quot;targets&quot;: { &quot;node&quot;: &quot;current&quot;, &quot;esmodules&quot;: true }, &quot;useBuiltIns&quot;: &quot;usage&quot;, &quot;corejs&quot;: 3, } ] ], &quot;plugins&quot;: [ [ &quot;@babel/plugin-transform-runtime&quot;, { &quot;corejs&quot;: 3, } ], &quot;@babel/plugin-syntax-import-meta&quot;, &quot;@babel/plugin-proposal-class-properties&quot;, &quot;@babel/plugin-proposal-json-strings&quot;, [ &quot;@babel/plugin-proposal-decorators&quot;, { &quot;legacy&quot;: true } ], &quot;@babel/plugin-proposal-function-sent&quot;, &quot;@babel/plugin-transform-modules-commonjs&quot;, &quot;@babel/plugin-proposal-export-namespace-from&quot;, &quot;@babel/plugin-proposal-export-default-from&quot;, &quot;@babel/plugin-proposal-numeric-separator&quot;, &quot;@babel/plugin-proposal-throw-expressions&quot; ] }"><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">"targets"</span>: <span class="pl-kos">{</span> <span class="pl-s">"node"</span>: <span class="pl-s">"current"</span><span class="pl-kos">,</span> <span class="pl-s">"esmodules"</span>: <span class="pl-c1">true</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-kos">,</span> <span class="pl-s">"plugins"</span>: <span class="pl-kos">[</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">"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/plugin-syntax-import-meta"</span><span class="pl-kos">,</span> <span class="pl-s">"@babel/plugin-proposal-class-properties"</span><span class="pl-kos">,</span> <span class="pl-s">"@babel/plugin-proposal-json-strings"</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-s">"@babel/plugin-proposal-function-sent"</span><span class="pl-kos">,</span> <span class="pl-s">"@babel/plugin-transform-modules-commonjs"</span><span class="pl-kos">,</span> <span class="pl-s">"@babel/plugin-proposal-export-namespace-from"</span><span class="pl-kos">,</span> <span class="pl-s">"@babel/plugin-proposal-export-default-from"</span><span class="pl-kos">,</span> <span class="pl-s">"@babel/plugin-proposal-numeric-separator"</span><span class="pl-kos">,</span> <span class="pl-s">"@babel/plugin-proposal-throw-expressions"</span> <span class="pl-kos">]</span> <span class="pl-kos">}</span></pre></div> <ul dir="auto"> <li>Filename: <code class="notranslate">package.json</code></li> </ul> <div class="highlight highlight-source-json notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="{ &quot;dependencies&quot;: { &quot;@babel/runtime&quot;: &quot;7.8.0&quot;, &quot;@babel/runtime-corejs3&quot;: &quot;7.8.0&quot;, &quot;core-js&quot;: &quot;3.6.3&quot;, &quot;vue&quot;: &quot;2.6.11&quot;, }, &quot;devDependencies&quot;: { &quot;@babel/core&quot;: &quot;7.8.0&quot;, &quot;@babel/plugin-proposal-class-properties&quot;: &quot;7.8.0&quot;, &quot;@babel/plugin-proposal-decorators&quot;: &quot;7.8.0&quot;, &quot;@babel/plugin-proposal-export-default-from&quot;: &quot;7.8.0&quot;, &quot;@babel/plugin-proposal-export-namespace-from&quot;: &quot;7.8.0&quot;, &quot;@babel/plugin-proposal-function-sent&quot;: &quot;7.8.0&quot;, &quot;@babel/plugin-proposal-json-strings&quot;: &quot;7.8.0&quot;, &quot;@babel/plugin-proposal-numeric-separator&quot;: &quot;7.8.0&quot;, &quot;@babel/plugin-proposal-throw-expressions&quot;: &quot;7.8.0&quot;, &quot;@babel/plugin-syntax-import-meta&quot;: &quot;7.8.0&quot;, &quot;@babel/plugin-transform-modules-commonjs&quot;: &quot;7.8.0&quot;, &quot;@babel/plugin-transform-runtime&quot;: &quot;7.8.0&quot;, &quot;@babel/preset-env&quot;: &quot;7.8.2&quot;, &quot;babel-eslint&quot;: &quot;10.0.3&quot;, &quot;babel-loader&quot;: &quot;8.0.6&quot;, &quot;eslint&quot;: &quot;6.8.0&quot;, &quot;eslint-loader&quot;: &quot;3.0.3&quot;, &quot;eslint-plugin-vue&quot;: &quot;6.1.2&quot;, &quot;webpack&quot;: &quot;4.41.5&quot; }, }"><pre class="notranslate">{ <span class="pl-ent">"dependencies"</span>: { <span class="pl-ent">"@babel/runtime"</span>: <span class="pl-s"><span class="pl-pds">"</span>7.8.0<span class="pl-pds">"</span></span>, <span class="pl-ent">"@babel/runtime-corejs3"</span>: <span class="pl-s"><span class="pl-pds">"</span>7.8.0<span class="pl-pds">"</span></span>, <span class="pl-ent">"core-js"</span>: <span class="pl-s"><span class="pl-pds">"</span>3.6.3<span class="pl-pds">"</span></span>, <span class="pl-ent">"vue"</span>: <span class="pl-s"><span class="pl-pds">"</span>2.6.11<span class="pl-pds">"</span></span>, }, <span class="pl-ent">"devDependencies"</span>: { <span class="pl-ent">"@babel/core"</span>: <span class="pl-s"><span class="pl-pds">"</span>7.8.0<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.8.0<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.8.0<span class="pl-pds">"</span></span>, <span class="pl-ent">"@babel/plugin-proposal-export-default-from"</span>: <span class="pl-s"><span class="pl-pds">"</span>7.8.0<span class="pl-pds">"</span></span>, <span class="pl-ent">"@babel/plugin-proposal-export-namespace-from"</span>: <span class="pl-s"><span class="pl-pds">"</span>7.8.0<span class="pl-pds">"</span></span>, <span class="pl-ent">"@babel/plugin-proposal-function-sent"</span>: <span class="pl-s"><span class="pl-pds">"</span>7.8.0<span class="pl-pds">"</span></span>, <span class="pl-ent">"@babel/plugin-proposal-json-strings"</span>: <span class="pl-s"><span class="pl-pds">"</span>7.8.0<span class="pl-pds">"</span></span>, <span class="pl-ent">"@babel/plugin-proposal-numeric-separator"</span>: <span class="pl-s"><span class="pl-pds">"</span>7.8.0<span class="pl-pds">"</span></span>, <span class="pl-ent">"@babel/plugin-proposal-throw-expressions"</span>: <span class="pl-s"><span class="pl-pds">"</span>7.8.0<span class="pl-pds">"</span></span>, <span class="pl-ent">"@babel/plugin-syntax-import-meta"</span>: <span class="pl-s"><span class="pl-pds">"</span>7.8.0<span class="pl-pds">"</span></span>, <span class="pl-ent">"@babel/plugin-transform-modules-commonjs"</span>: <span class="pl-s"><span class="pl-pds">"</span>7.8.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.8.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.8.2<span class="pl-pds">"</span></span>, <span class="pl-ent">"babel-eslint"</span>: <span class="pl-s"><span class="pl-pds">"</span>10.0.3<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">"eslint"</span>: <span class="pl-s"><span class="pl-pds">"</span>6.8.0<span class="pl-pds">"</span></span>, <span class="pl-ent">"eslint-loader"</span>: <span class="pl-s"><span class="pl-pds">"</span>3.0.3<span class="pl-pds">"</span></span>, <span class="pl-ent">"eslint-plugin-vue"</span>: <span class="pl-s"><span class="pl-pds">"</span>6.1.2<span class="pl-pds">"</span></span>, <span class="pl-ent">"webpack"</span>: <span class="pl-s"><span class="pl-pds">"</span>4.41.5<span class="pl-pds">"</span></span> }, }</pre></div> <ul dir="auto"> <li>Filename: <code class="notranslate">.eslintrc</code></li> </ul> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="{ parserOptions: { &quot;parser&quot;: &quot;babel-eslint&quot;, &quot;ecmaVersion&quot;: 2017, &quot;sourceType&quot;: &quot;module&quot;, &quot;allowImportExportEverywhere&quot;: false, &quot;codeFrame&quot;: false }, extends: [ &quot;eslint:recommended&quot;, &quot;plugin:vue/essential&quot;, &quot;plugin:vue/strongly-recommended&quot;, &quot;plugin:vue/recommended&quot;, ], rules: { &quot;vue/no-side-effects-in-computed-properties&quot;: &quot;off&quot;, &quot;vue/no-reserved-keys&quot;: &quot;warn&quot;, &quot;vue/require-prop-types&quot;: &quot;warn&quot;, &quot;vue/name-property-casing&quot;: &quot;warn&quot;, &quot;vue/max-attributes-per-line&quot;: &quot;off&quot;, &quot;vue/require-v-for-key&quot;: &quot;warn&quot;, &quot;vue/valid-v-for&quot;: &quot;warn&quot;, &quot;vue/no-parsing-error&quot;: &quot;warn&quot;, &quot;vue/no-v-html&quot;: &quot;off&quot;, &quot;vue/order-in-components&quot;: &quot;warn&quot;, &quot;vue/attributes-order&quot;: &quot;warn&quot;, &quot;vue/html-indent&quot;: &quot;warn&quot;, &quot;vue/component-name-in-template-casing&quot;: [&quot;warn&quot;, &quot;kebab-case&quot;, { &quot;ignores&quot;: [] }], &quot;vue/html-closing-bracket-spacing&quot;: [&quot;warn&quot;, { &quot;startTag&quot;: &quot;never&quot;, &quot;endTag&quot;: &quot;never&quot;, &quot;selfClosingTag&quot;: &quot;never&quot; }], &quot;vue/no-template-shadow&quot;: &quot;off&quot;, &quot;vue/no-use-v-if-with-v-for&quot;: &quot;off&quot;, &quot;no-process-env&quot;: &quot;off&quot;, &quot;no-unused-vars&quot;: [&quot;warn&quot;, {&quot;args&quot;: &quot;none&quot;, &quot;ignoreRestSiblings&quot;: true}], &quot;no-undef&quot;: &quot;error&quot;, &quot;no-redeclare&quot;: &quot;warn&quot;, &quot;no-empty&quot;: [&quot;warn&quot;, { &quot;allowEmptyCatch&quot;: true }], &quot;no-console&quot;: &quot;warn&quot;, &quot;quotes&quot;: [&quot;warn&quot;, &quot;double&quot;, {&quot;allowTemplateLiterals&quot;: true}], &quot;comma-spacing&quot;: [&quot;warn&quot;, {&quot;before&quot;: false, &quot;after&quot;: true}], &quot;indent&quot;: [&quot;warn&quot;, 2], &quot;object-curly-spacing&quot;: [&quot;warn&quot;, &quot;never&quot;], &quot;key-spacing&quot;: &quot;warn&quot;, &quot;array-bracket-spacing&quot;: &quot;warn&quot;, &quot;block-spacing&quot;: [&quot;warn&quot;, &quot;never&quot;], &quot;func-call-spacing&quot;: [&quot;warn&quot;, &quot;never&quot;], &quot;require-atomic-updates&quot;: &quot;off&quot;, }, env: { &quot;browser&quot;: true, &quot;node&quot;: true, &quot;amd&quot;: true, } }"><pre class="notranslate"><span class="pl-kos">{</span> <span class="pl-c1">parserOptions</span>: <span class="pl-kos">{</span> <span class="pl-s">"parser"</span>: <span class="pl-s">"babel-eslint"</span><span class="pl-kos">,</span> <span class="pl-s">"ecmaVersion"</span>: <span class="pl-c1">2017</span><span class="pl-kos">,</span> <span class="pl-s">"sourceType"</span>: <span class="pl-s">"module"</span><span class="pl-kos">,</span> <span class="pl-s">"allowImportExportEverywhere"</span>: <span class="pl-c1">false</span><span class="pl-kos">,</span> <span class="pl-s">"codeFrame"</span>: <span class="pl-c1">false</span> <span class="pl-kos">}</span><span class="pl-kos">,</span> <span class="pl-c1">extends</span>: <span class="pl-kos">[</span> <span class="pl-s">"eslint:recommended"</span><span class="pl-kos">,</span> <span class="pl-s">"plugin:vue/essential"</span><span class="pl-kos">,</span> <span class="pl-s">"plugin:vue/strongly-recommended"</span><span class="pl-kos">,</span> <span class="pl-s">"plugin:vue/recommended"</span><span class="pl-kos">,</span> <span class="pl-kos">]</span><span class="pl-kos">,</span> <span class="pl-c1">rules</span>: <span class="pl-kos">{</span> <span class="pl-s">"vue/no-side-effects-in-computed-properties"</span>: <span class="pl-s">"off"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/no-reserved-keys"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/require-prop-types"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/name-property-casing"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/max-attributes-per-line"</span>: <span class="pl-s">"off"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/require-v-for-key"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/valid-v-for"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/no-parsing-error"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/no-v-html"</span>: <span class="pl-s">"off"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/order-in-components"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/attributes-order"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/html-indent"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/component-name-in-template-casing"</span>: <span class="pl-kos">[</span><span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"kebab-case"</span><span class="pl-kos">,</span> <span class="pl-kos">{</span> <span class="pl-s">"ignores"</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">"vue/html-closing-bracket-spacing"</span>: <span class="pl-kos">[</span><span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-kos">{</span> <span class="pl-s">"startTag"</span>: <span class="pl-s">"never"</span><span class="pl-kos">,</span> <span class="pl-s">"endTag"</span>: <span class="pl-s">"never"</span><span class="pl-kos">,</span> <span class="pl-s">"selfClosingTag"</span>: <span class="pl-s">"never"</span> <span class="pl-kos">}</span><span class="pl-kos">]</span><span class="pl-kos">,</span> <span class="pl-s">"vue/no-template-shadow"</span>: <span class="pl-s">"off"</span><span class="pl-kos">,</span> <span class="pl-s">"vue/no-use-v-if-with-v-for"</span>: <span class="pl-s">"off"</span><span class="pl-kos">,</span> <span class="pl-s">"no-process-env"</span>: <span class="pl-s">"off"</span><span class="pl-kos">,</span> <span class="pl-s">"no-unused-vars"</span>: <span class="pl-kos">[</span><span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-kos">{</span><span class="pl-s">"args"</span>: <span class="pl-s">"none"</span><span class="pl-kos">,</span> <span class="pl-s">"ignoreRestSiblings"</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">"no-undef"</span>: <span class="pl-s">"error"</span><span class="pl-kos">,</span> <span class="pl-s">"no-redeclare"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"no-empty"</span>: <span class="pl-kos">[</span><span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-kos">{</span> <span class="pl-s">"allowEmptyCatch"</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">"no-console"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"quotes"</span>: <span class="pl-kos">[</span><span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"double"</span><span class="pl-kos">,</span> <span class="pl-kos">{</span><span class="pl-s">"allowTemplateLiterals"</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">"comma-spacing"</span>: <span class="pl-kos">[</span><span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-kos">{</span><span class="pl-s">"before"</span>: <span class="pl-c1">false</span><span class="pl-kos">,</span> <span class="pl-s">"after"</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">"indent"</span>: <span class="pl-kos">[</span><span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-c1">2</span><span class="pl-kos">]</span><span class="pl-kos">,</span> <span class="pl-s">"object-curly-spacing"</span>: <span class="pl-kos">[</span><span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"never"</span><span class="pl-kos">]</span><span class="pl-kos">,</span> <span class="pl-s">"key-spacing"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"array-bracket-spacing"</span>: <span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"block-spacing"</span>: <span class="pl-kos">[</span><span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"never"</span><span class="pl-kos">]</span><span class="pl-kos">,</span> <span class="pl-s">"func-call-spacing"</span>: <span class="pl-kos">[</span><span class="pl-s">"warn"</span><span class="pl-kos">,</span> <span class="pl-s">"never"</span><span class="pl-kos">]</span><span class="pl-kos">,</span> <span class="pl-s">"require-atomic-updates"</span>: <span class="pl-s">"off"</span><span class="pl-kos">,</span> <span class="pl-kos">}</span><span class="pl-kos">,</span> <span class="pl-c1">env</span>: <span class="pl-kos">{</span> <span class="pl-s">"browser"</span>: <span class="pl-c1">true</span><span class="pl-kos">,</span> <span class="pl-s">"node"</span>: <span class="pl-c1">true</span><span class="pl-kos">,</span> <span class="pl-s">"amd"</span>: <span class="pl-c1">true</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> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" System: OS: Windows 10 10.0.18363 Binaries: Node: 12.13.0 - C:\Program Files\nodejs\node.EXE npm: 6.12.0 - C:\Program Files\nodejs\npm.CMD npmPackages: babel-eslint: 10.0.3 =&gt; 10.0.3 babel-loader: 8.0.6 =&gt; 8.0.6 eslint: 6.8.0 =&gt; 6.8.0 webpack: 4.41.5 =&gt; 4.41.5"><pre class="notranslate"><code class="notranslate"> System: OS: Windows 10 10.0.18363 Binaries: Node: 12.13.0 - C:\Program Files\nodejs\node.EXE npm: 6.12.0 - C:\Program Files\nodejs\npm.CMD npmPackages: babel-eslint: 10.0.3 =&gt; 10.0.3 babel-loader: 8.0.6 =&gt; 8.0.6 eslint: 6.8.0 =&gt; 6.8.0 webpack: 4.41.5 =&gt; 4.41.5 </code></pre></div> <p dir="auto"><strong>Possible Solution</strong><br> temporarily modify .eslintrc "indent" rule<br> <code class="notranslate">"indent": ["warn", 2, {"ignoredNodes": ["TemplateLiteral"]}],</code></p>
<p dir="auto">Upgraded to 10.0.3 and now everywhere in my .jsx I have template strings, it blows up with this error.<br> TypeError: Cannot read property 'range' of null</p> <p dir="auto">This is my current list of devDependencies<br> "@babel/core": "^7.2.0",<br> "@babel/plugin-proposal-class-properties": "^7.1.0",<br> "@babel/plugin-proposal-decorators": "^7.1.2",<br> "@babel/plugin-proposal-do-expressions": "^7.0.0",<br> "@babel/plugin-proposal-export-default-from": "^7.0.0",<br> "@babel/plugin-proposal-export-namespace-from": "^7.0.0",<br> "@babel/plugin-proposal-function-bind": "^7.0.0",<br> "@babel/plugin-proposal-function-sent": "^7.0.0",<br> "@babel/plugin-proposal-json-strings": "^7.0.0",<br> "@babel/plugin-proposal-logical-assignment-operators": "^7.0.0",<br> "@babel/plugin-proposal-nullish-coalescing-operator": "^7.0.0",<br> "@babel/plugin-proposal-numeric-separator": "^7.0.0",<br> "@babel/plugin-proposal-optional-chaining": "^7.0.0",<br> "@babel/plugin-proposal-pipeline-operator": "^7.0.0",<br> "@babel/plugin-proposal-throw-expressions": "^7.0.0",<br> "@babel/plugin-syntax-dynamic-import": "^7.0.0",<br> "@babel/plugin-syntax-import-meta": "^7.0.0",<br> "@babel/plugin-transform-regenerator": "^7.0.0",<br> "@babel/plugin-transform-runtime": "^7.0.0",<br> "@babel/plugin-transform-template-literals": "^7.0.0",<br> "@babel/polyfill": "^7.0.0",<br> "@babel/preset-env": "^7.1.5",<br> "@babel/preset-react": "^7.0.0",<br> "@babel/register": "^7.6.0",<br> "autoprefixer": "^9.1.3",<br> "babel-eslint": "10.0.3",<br> "babel-loader": "^8.0.0",<br> "babel-plugin-add-module-exports": "^0.2.1",<br> "babel-plugin-istanbul": "^5.2.0",<br> "babel-plugin-lodash": "^3.3.4",<br> "babel-preset-react-hmre": "^1.1.1",<br> "chai": "^3.4.1",<br> "chai-as-promised": "^5.1.0",<br> "chai-enzyme": "^1.0.0-beta.1",<br> "compression-webpack-plugin": "^1.1.11",<br> "css-loader": "^3.2.0",<br> "cssnano": "^4.1.0",<br> "enzyme": "^3.7.0",<br> "enzyme-adapter-react-16": "^1.6.0",<br> "eslint": "^6.0.1",<br> "eslint-config-airbnb": "^10.0.1",<br> "eslint-loader": "^2.2.1",<br> "eslint-plugin-babel": "^3.2.0",<br> "eslint-plugin-import": "2.14.0",<br> "eslint-plugin-jsx-a11y": "^2.2.3",<br> "eslint-plugin-react": "^6.2.0",<br> "extract-text-webpack-plugin": "^3.0.2",<br> "fetch-mock": "^5.10.0",<br> "file-loader": "^1.1.11",<br> "fs-extra": "^0.30.0",<br> "html-webpack-plugin": "^3.2.0",<br> "image-webpack-loader": "^4.6.0",<br> "ip": "^1.1.4",<br> "js-md5": "^0.4.1",<br> "karma": "^4.3.0",<br> "karma-chai": "^0.1.0",<br> "karma-chai-as-promised": "^0.1.2",<br> "karma-chai-sinon": "^0.1.5",<br> "karma-chrome-launcher": "^3.1.0",<br> "karma-coverage": "^1.1.2",<br> "karma-mocha": "^1.3.0",<br> "karma-sourcemap-loader": "^0.3.7",<br> "karma-spec-reporter": "0.0.26",<br> "karma-webpack": "^4.0.0-beta.0",<br> "koa-logger": "^1.3.0",<br> "loader-utils": "^1.1.0",<br> "lost": "^7.0.3",<br> "macaddress": "~0.2.9",<br> "mini-css-extract-plugin": "^0.3.0",<br> "mocha": "~5.2.0",<br> "node-noop": "^1.0.0",<br> "nodemon": "^1.18.7",<br> "optimize-css-assets-webpack-plugin": "^5.0.0",<br> "postcss-custom-media": "^7.0.8",<br> "postcss-focus-visible": "^3.0.0",<br> "postcss-focus-within": "^2.0.0",<br> "postcss-import": "^12.0.0",<br> "postcss-loader": "^3.0.0",<br> "postcss-nesting": "^6.0.0",<br> "postcss-preset-env": "^5.3.0",<br> "postcss-reporter": "^6.0.0",<br> "puppeteer": "^1.19.0",<br> "raw-loader": "^0.5.1",<br> "react-hot-loader": "^3.0.0-beta.7",<br> "react-text-truncate": "^0.12.0",<br> "react-toastify": "^2.1.0",<br> "redbox-react": "^1.5.0",<br> "redux-devtools": "^3.4.1",<br> "redux-devtools-dock-monitor": "^1.1.2",<br> "redux-devtools-log-monitor": "^1.4.0",<br> "redux-logger": "^3.0.6",<br> "redux-mock-store": "^1.0.2",<br> "sinon": "^1.17.2",<br> "sinon-chai": "^2.8.0",<br> "sonarqube-scanner": "^2.5.0",<br> "style-loader": "^0.21.0",<br> "stylelint": "^9.10.1",<br> "stylelint-webpack-plugin": "^0.10.5",<br> "svg-sprite-loader": "3.9.0",<br> "svgo": "^1.3.0",<br> "svgo-loader": "^2.1.0",<br> "url-loader": "^1.1.2",<br> "webpack": "^4.20.2",<br> "webpack-cli": "^3.0.8",<br> "webpack-dev-middleware": "^3.1.3",<br> "webpack-hot-middleware": "^2.22.3",<br> "webpack-merge": "^4.1.1",<br> "webpack-modernizr-loader": "^4.0.1"</p>
1
<p dir="auto">Consider situation</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$form = $formFactory-&gt;createNamedBuilder('', 'form', [], ['csrf_protection' =&gt; false]) -&gt;add('a', 'integer') -&gt;setMethod('GET') -&gt;getForm() ; $form-&gt;handleRequest($this-&gt;getRequest()); var_dump($form-&gt;isValid());"><pre class="notranslate"><code class="notranslate">$form = $formFactory-&gt;createNamedBuilder('', 'form', [], ['csrf_protection' =&gt; false]) -&gt;add('a', 'integer') -&gt;setMethod('GET') -&gt;getForm() ; $form-&gt;handleRequest($this-&gt;getRequest()); var_dump($form-&gt;isValid()); </code></pre></div> <p dir="auto">now on example.com/test.php?a=1 form is valid. but on example.com/test.php?a=1&amp;utm_source=zzz&amp;... form is invalid, because there are extra fields</p> <p dir="auto">So i request an option, to disable extra fields validation</p>
<p dir="auto">In the project I'm working on I'm trying to restrict a firewall to a specific IP address/range. The ACL can already do this, and the firewall seems to support only <code class="notranslate">host</code> and <code class="notranslate">pattern</code> options. It would be cool if <code class="notranslate">ip</code> and <code class="notranslate">ips</code> options (same as <code class="notranslate">access_control</code>) could be added. This can be done using a custom request matcher, but I should duplicate all the logic of the host and pattern matching too if I want to use a combination of both</p>
0
<p dir="auto">Place a macro like <code class="notranslate">panic!</code> or <code class="notranslate">println!</code> outside of a function body:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="panic!(&quot;outside of a function&quot;); fn main() { }"><pre class="notranslate"><code class="notranslate">panic!("outside of a function"); fn main() { } </code></pre></div> <p dir="auto">The error message does not provide the expansion site:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="&lt;std macros&gt;:2:1: 2:2 error: macro expansion ignores token `{` and any following &lt;std macros&gt;:2 { ^ error: aborting due to previous error"><pre class="notranslate"><code class="notranslate">&lt;std macros&gt;:2:1: 2:2 error: macro expansion ignores token `{` and any following &lt;std macros&gt;:2 { ^ error: aborting due to previous error </code></pre></div> <p dir="auto">A similar effect is had in an impl body.</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="struct Foo; impl Foo{ panic!(&quot;in impl body&quot;); } fn main() {} ---------------------- &lt;std macros&gt;:2:1: 2:2 error: expected `fn`, found `{` &lt;std macros&gt;:2 { ^"><pre class="notranslate"><code class="notranslate">struct Foo; impl Foo{ panic!("in impl body"); } fn main() {} ---------------------- &lt;std macros&gt;:2:1: 2:2 error: expected `fn`, found `{` &lt;std macros&gt;:2 { ^ </code></pre></div>
<p dir="auto">afaik, it's because the context where you're using the macro (expr, item, etc.) stopped parsing before that token. We should mention that context.</p>
1
<h3 dir="auto">Apache Airflow version</h3> <p dir="auto">2.4.0</p> <h3 dir="auto">What happened</h3> <h2 dir="auto">ISSUE</h2> <p dir="auto">I have run other dag files previously they all give this message even if they pass or fail.</p> <h2 dir="auto">Goal</h2> <p dir="auto">Get this error fixed</p> <h2 dir="auto">Log that contains the error</h2> <p dir="auto">I got this after running simple dag</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="241adsgf1108 *** Log file does not exist: /opt/airflow/logs/dag_id=numpy_pandas/run_id=manual__2022-09-27T16:31:22.968544+00:00/task_id=print_the_context/attempt=1.log *** Fetching from: http://241adsgf1108:8793/dag_id=numpy_pandas/run_id=manual__2022-09-27T16:31:22.968544+00:00/task_id=print_the_context/attempt=1.log *** !!!! Please make sure that all your Airflow components (e.g. schedulers, webservers and workers) have the same 'secret_key' configured in 'webserver' section and time is synchronized on all your machines (for example with ntpd) !!!!! ****** See more at https://airflow.apache.org/docs/apache-airflow/stable/configurations-ref.html#secret-key ****** Failed to fetch log file from worker. Client error '403 FORBIDDEN' for url 'http://241adsgf1108:8793/dag_id=numpy_pandas/run_id=manual__2022-09-27T16:31:22.968544+00:00/task_id=print_the_context/attempt=1.log' For more information check: https://httpstatuses.com/403"><pre class="notranslate"><code class="notranslate">241adsgf1108 *** Log file does not exist: /opt/airflow/logs/dag_id=numpy_pandas/run_id=manual__2022-09-27T16:31:22.968544+00:00/task_id=print_the_context/attempt=1.log *** Fetching from: http://241adsgf1108:8793/dag_id=numpy_pandas/run_id=manual__2022-09-27T16:31:22.968544+00:00/task_id=print_the_context/attempt=1.log *** !!!! Please make sure that all your Airflow components (e.g. schedulers, webservers and workers) have the same 'secret_key' configured in 'webserver' section and time is synchronized on all your machines (for example with ntpd) !!!!! ****** See more at https://airflow.apache.org/docs/apache-airflow/stable/configurations-ref.html#secret-key ****** Failed to fetch log file from worker. Client error '403 FORBIDDEN' for url 'http://241adsgf1108:8793/dag_id=numpy_pandas/run_id=manual__2022-09-27T16:31:22.968544+00:00/task_id=print_the_context/attempt=1.log' For more information check: https://httpstatuses.com/403 </code></pre></div> <h2 dir="auto">Commands</h2> <ul dir="auto"> <li><code class="notranslate">docker build -t my-image-apache/airflow:latest-python3.8 . </code></li> <li><code class="notranslate">docker-compose up </code></li> </ul> <h2 dir="auto">Environment</h2> <ul dir="auto"> <li>AWS EC2</li> <li>Ubuntu 20.04</li> </ul> <h3 dir="auto">What you think should happen instead</h3> <h2 dir="auto">Folder Structure</h2> <ul dir="auto"> <li>airflow / <ul dir="auto"> <li>docker-compose.yml</li> <li>Dockerfile</li> <li>dags [FOLDER]/ <ul dir="auto"> <li>all_python_dag_files.py</li> </ul> </li> </ul> </li> </ul> <h3 dir="auto">How to reproduce</h3> <h2 dir="auto">Files</h2> <p dir="auto">my dag file</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import pendulum from airflow import DAG #from airflow.decorators import task from airflow.operators.python import PythonOperator with DAG( dag_id=&quot;numpy_pandas&quot;, schedule=None, start_date=pendulum.datetime(2021, 1, 1, tz=&quot;UTC&quot;), catchup=False, tags=[&quot;example&quot;],) as dag: def numpy_something(): &quot;&quot;&quot;Print Numpy array.&quot;&quot;&quot; import numpy as np # &lt;- THIS IS HOW NUMPY SHOULD BE IMPORTED IN THIS CASE import pandas as pd d = {'col1': [1, 2], 'col2': [3, 4]} df = pd.DataFrame(data=d) print(df) a = np.array([[[1, 2], [3, 4]], [[5, 6], [7, 8]]]) print(a) #a= 10 return a run_this = PythonOperator( task_id=&quot;print_the_context&quot;, python_callable=numpy_something, ) "><pre class="notranslate"><code class="notranslate">import pendulum from airflow import DAG #from airflow.decorators import task from airflow.operators.python import PythonOperator with DAG( dag_id="numpy_pandas", schedule=None, start_date=pendulum.datetime(2021, 1, 1, tz="UTC"), catchup=False, tags=["example"],) as dag: def numpy_something(): """Print Numpy array.""" import numpy as np # &lt;- THIS IS HOW NUMPY SHOULD BE IMPORTED IN THIS CASE import pandas as pd d = {'col1': [1, 2], 'col2': [3, 4]} df = pd.DataFrame(data=d) print(df) a = np.array([[[1, 2], [3, 4]], [[5, 6], [7, 8]]]) print(a) #a= 10 return a run_this = PythonOperator( task_id="print_the_context", python_callable=numpy_something, ) </code></pre></div> <h3 dir="auto">Operating System</h3> <p dir="auto">Ubuntu 20.04.4 LTS</p> <h3 dir="auto">Versions of Apache Airflow Providers</h3> <p dir="auto">dockerfile</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="FROM apache/airflow:latest-python3.8 COPY requirements.txt . COPY personal_python_file.py /usr/local/airflow/dags/personal_python_file.py RUN pip install -r requirements.txt"><pre class="notranslate"><code class="notranslate">FROM apache/airflow:latest-python3.8 COPY requirements.txt . COPY personal_python_file.py /usr/local/airflow/dags/personal_python_file.py RUN pip install -r requirements.txt </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.yml</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="--- version: '3' x-airflow-common: &amp;airflow-common # In order to add custom dependencies or upgrade provider packages you can use your extended image. # Comment the image line, place your Dockerfile in the directory where you placed the docker-compose.yaml # and uncomment the &quot;build&quot; line below, Then run `docker-compose build` to build the images. image: ${AIRFLOW_IMAGE_NAME:-my-image-apache/airflow:latest-python3.8} ### SAME AS IN MY DOCKERFILE &quot;FROM apache/airflow:latest-python3.8&quot; BUT I CAN MODIFY IT AS THE IAMGE THAT I GNERATE IS THE IMPORTANT ONE # my-image-apache/airflow:latest-python3.8} # build: . environment: &amp;airflow-common-env AIRFLOW__CORE__EXECUTOR: CeleryExecutor AIRFLOW__DATABASE__SQL_ALCHEMY_CONN: postgresql+psycopg2://airflow:airflow@postgres/airflow # For backward compatibility, with Airflow &lt;2.3 AIRFLOW__CORE__SQL_ALCHEMY_CONN: postgresql+psycopg2://airflow:airflow@postgres/airflow AIRFLOW__CELERY__RESULT_BACKEND: db+postgresql://airflow:airflow@postgres/airflow AIRFLOW__CELERY__BROKER_URL: redis://:@redis:6379/0 AIRFLOW__CORE__FERNET_KEY: '' AIRFLOW__CORE__DAGS_ARE_PAUSED_AT_CREATION: 'true' AIRFLOW__CORE__LOAD_EXAMPLES: 'false' AIRFLOW__API__AUTH_BACKENDS: 'airflow.api.auth.backend.basic_auth' _PIP_ADDITIONAL_REQUIREMENTS: ${_PIP_ADDITIONAL_REQUIREMENTS:-} # I have added these AIRFLOW__CORE__ENABLE_XCOM_PICKLING: 'true' #AIRFLOW__CORE__DAGS_FOLDER: /opt/airflow/dags #connect local and docker conatiner DAGS folers #AIRFLOW__CORE__DAGS_FOLDER: ./dags # AIRFLOW__CORE__PLUGINS_FOLDER: /opt/airflow/plugins # AIRFLOW__CORE__LOGGING_CONFIG_CLASS: airflow.utils.log.logging_config.DEFAULT_LOGGING_CONFIG # AIRFLOW__CORE__LOGGING_LEVEL: INFO volumes: - ./dags/:/opt/airflow/dags - ./logs/:/opt/airflow/logs - ./plugins/:/opt/airflow/plugins user: &quot;${AIRFLOW_UID:-50000}:0&quot; depends_on: &amp;airflow-common-depends-on redis: condition: service_healthy postgres: condition: service_healthy services: postgres: image: postgres:13 environment: POSTGRES_USER: airflow POSTGRES_PASSWORD: airflow POSTGRES_DB: airflow volumes: - postgres-db-volume:/var/lib/postgresql/data healthcheck: test: [&quot;CMD&quot;, &quot;pg_isready&quot;, &quot;-U&quot;, &quot;airflow&quot;] interval: 5s retries: 5 restart: always redis: image: redis:latest expose: - 6379 healthcheck: test: [&quot;CMD&quot;, &quot;redis-cli&quot;, &quot;ping&quot;] interval: 5s timeout: 30s retries: 50 restart: always airflow-webserver: &lt;&lt;: *airflow-common command: webserver ports: - 8080:8080 healthcheck: test: [&quot;CMD&quot;, &quot;curl&quot;, &quot;--fail&quot;, &quot;http://localhost:8080/health&quot;] interval: 10s timeout: 10s retries: 5 restart: always stdin_open: true tty: true depends_on: &lt;&lt;: *airflow-common-depends-on airflow-init: condition: service_completed_successfully volumes: - ./airflow:/usr/local/airflow airflow-scheduler: &lt;&lt;: *airflow-common command: scheduler healthcheck: test: [&quot;CMD-SHELL&quot;, 'airflow jobs check --job-type SchedulerJob --hostname &quot;$${HOSTNAME}&quot;'] interval: 10s timeout: 10s retries: 5 restart: always depends_on: &lt;&lt;: *airflow-common-depends-on airflow-init: condition: service_completed_successfully airflow-worker: &lt;&lt;: *airflow-common command: celery worker healthcheck: test: - &quot;CMD-SHELL&quot; - 'celery --app airflow.executors.celery_executor.app inspect ping -d &quot;celery@$${HOSTNAME}&quot;' interval: 10s timeout: 10s retries: 5 environment: &lt;&lt;: *airflow-common-env # Required to handle warm shutdown of the celery workers properly # See https://airflow.apache.org/docs/docker-stack/entrypoint.html#signal-propagation DUMB_INIT_SETSID: &quot;0&quot; restart: always depends_on: &lt;&lt;: *airflow-common-depends-on airflow-init: condition: service_completed_successfully airflow-triggerer: &lt;&lt;: *airflow-common command: triggerer healthcheck: test: [&quot;CMD-SHELL&quot;, 'airflow jobs check --job-type TriggererJob --hostname &quot;$${HOSTNAME}&quot;'] interval: 10s timeout: 10s retries: 5 restart: always depends_on: &lt;&lt;: *airflow-common-depends-on airflow-init: condition: service_completed_successfully airflow-init: &lt;&lt;: *airflow-common entrypoint: /bin/bash # yamllint disable rule:line-length command: - -c - | function ver() { printf &quot;%04d%04d%04d%04d&quot; $${1//./ } } airflow_version=$$(AIRFLOW__LOGGING__LOGGING_LEVEL=INFO &amp;&amp; gosu airflow airflow version) airflow_version_comparable=$$(ver $${airflow_version}) min_airflow_version=2.2.0 min_airflow_version_comparable=$$(ver $${min_airflow_version}) if (( airflow_version_comparable &lt; min_airflow_version_comparable )); then echo echo -e &quot;\033[1;31mERROR!!!: Too old Airflow version $${airflow_version}!\e[0m&quot; echo &quot;The minimum Airflow version supported: $${min_airflow_version}. Only use this or higher!&quot; echo exit 1 fi if [[ -z &quot;${AIRFLOW_UID}&quot; ]]; then echo echo -e &quot;\033[1;33mWARNING!!!: AIRFLOW_UID not set!\e[0m&quot; echo &quot;If you are on Linux, you SHOULD follow the instructions below to set &quot; echo &quot;AIRFLOW_UID environment variable, otherwise files will be owned by root.&quot; echo &quot;For other operating systems you can get rid of the warning with manually created .env file:&quot; echo &quot; See: https://airflow.apache.org/docs/apache-airflow/stable/start/docker.html#setting-the-right-airflow-user&quot; echo fi one_meg=1048576 mem_available=$$(($$(getconf _PHYS_PAGES) * $$(getconf PAGE_SIZE) / one_meg)) cpus_available=$$(grep -cE 'cpu[0-9]+' /proc/stat) disk_available=$$(df / | tail -1 | awk '{print $$4}') warning_resources=&quot;false&quot; if (( mem_available &lt; 4000 )) ; then echo echo -e &quot;\033[1;33mWARNING!!!: Not enough memory available for Docker.\e[0m&quot; echo &quot;At least 4GB of memory required. You have $$(numfmt --to iec $$((mem_available * one_meg)))&quot; echo warning_resources=&quot;true&quot; fi if (( cpus_available &lt; 2 )); then echo echo -e &quot;\033[1;33mWARNING!!!: Not enough CPUS available for Docker.\e[0m&quot; echo &quot;At least 2 CPUs recommended. You have $${cpus_available}&quot; echo warning_resources=&quot;true&quot; fi if (( disk_available &lt; one_meg * 10 )); then echo echo -e &quot;\033[1;33mWARNING!!!: Not enough Disk space available for Docker.\e[0m&quot; echo &quot;At least 10 GBs recommended. You have $$(numfmt --to iec $$((disk_available * 1024 )))&quot; echo warning_resources=&quot;true&quot; fi if [[ $${warning_resources} == &quot;true&quot; ]]; then echo echo -e &quot;\033[1;33mWARNING!!!: You have not enough resources to run Airflow (see above)!\e[0m&quot; echo &quot;Please follow the instructions to increase amount of resources available:&quot; echo &quot; https://airflow.apache.org/docs/apache-airflow/stable/start/docker.html#before-you-begin&quot; echo fi mkdir -p /sources/logs /sources/dags /sources/plugins chown -R &quot;${AIRFLOW_UID}:0&quot; /sources/{logs,dags,plugins} exec /entrypoint airflow version # yamllint enable rule:line-length environment: &lt;&lt;: *airflow-common-env _AIRFLOW_DB_UPGRADE: 'true' _AIRFLOW_WWW_USER_CREATE: 'true' _AIRFLOW_WWW_USER_USERNAME: ${_AIRFLOW_WWW_USER_USERNAME:-airflow} _AIRFLOW_WWW_USER_PASSWORD: ${_AIRFLOW_WWW_USER_PASSWORD:-airflow} _PIP_ADDITIONAL_REQUIREMENTS: '' user: &quot;0:0&quot; volumes: - .:/sources airflow-cli: &lt;&lt;: *airflow-common profiles: - debug environment: &lt;&lt;: *airflow-common-env CONNECTION_CHECK_MAX_COUNT: &quot;0&quot; # Workaround for entrypoint issue. See: https://github.com/apache/airflow/issues/16252 command: - bash - -c - airflow # You can enable flower by adding &quot;--profile flower&quot; option e.g. docker-compose --profile flower up # or by explicitly targeted on the command line e.g. docker-compose up flower. # See: https://docs.docker.com/compose/profiles/ flower: &lt;&lt;: *airflow-common command: celery flower profiles: - flower ports: - 5555:5555 healthcheck: test: [&quot;CMD&quot;, &quot;curl&quot;, &quot;--fail&quot;, &quot;http://localhost:5555/&quot;] interval: 10s timeout: 10s retries: 5 restart: always depends_on: &lt;&lt;: *airflow-common-depends-on airflow-init: condition: service_completed_successfully volumes: postgres-db-volume: "><pre class="notranslate"><code class="notranslate">--- version: '3' x-airflow-common: &amp;airflow-common # In order to add custom dependencies or upgrade provider packages you can use your extended image. # Comment the image line, place your Dockerfile in the directory where you placed the docker-compose.yaml # and uncomment the "build" line below, Then run `docker-compose build` to build the images. image: ${AIRFLOW_IMAGE_NAME:-my-image-apache/airflow:latest-python3.8} ### SAME AS IN MY DOCKERFILE "FROM apache/airflow:latest-python3.8" BUT I CAN MODIFY IT AS THE IAMGE THAT I GNERATE IS THE IMPORTANT ONE # my-image-apache/airflow:latest-python3.8} # build: . environment: &amp;airflow-common-env AIRFLOW__CORE__EXECUTOR: CeleryExecutor AIRFLOW__DATABASE__SQL_ALCHEMY_CONN: postgresql+psycopg2://airflow:airflow@postgres/airflow # For backward compatibility, with Airflow &lt;2.3 AIRFLOW__CORE__SQL_ALCHEMY_CONN: postgresql+psycopg2://airflow:airflow@postgres/airflow AIRFLOW__CELERY__RESULT_BACKEND: db+postgresql://airflow:airflow@postgres/airflow AIRFLOW__CELERY__BROKER_URL: redis://:@redis:6379/0 AIRFLOW__CORE__FERNET_KEY: '' AIRFLOW__CORE__DAGS_ARE_PAUSED_AT_CREATION: 'true' AIRFLOW__CORE__LOAD_EXAMPLES: 'false' AIRFLOW__API__AUTH_BACKENDS: 'airflow.api.auth.backend.basic_auth' _PIP_ADDITIONAL_REQUIREMENTS: ${_PIP_ADDITIONAL_REQUIREMENTS:-} # I have added these AIRFLOW__CORE__ENABLE_XCOM_PICKLING: 'true' #AIRFLOW__CORE__DAGS_FOLDER: /opt/airflow/dags #connect local and docker conatiner DAGS folers #AIRFLOW__CORE__DAGS_FOLDER: ./dags # AIRFLOW__CORE__PLUGINS_FOLDER: /opt/airflow/plugins # AIRFLOW__CORE__LOGGING_CONFIG_CLASS: airflow.utils.log.logging_config.DEFAULT_LOGGING_CONFIG # AIRFLOW__CORE__LOGGING_LEVEL: INFO volumes: - ./dags/:/opt/airflow/dags - ./logs/:/opt/airflow/logs - ./plugins/:/opt/airflow/plugins user: "${AIRFLOW_UID:-50000}:0" depends_on: &amp;airflow-common-depends-on redis: condition: service_healthy postgres: condition: service_healthy services: postgres: image: postgres:13 environment: POSTGRES_USER: airflow POSTGRES_PASSWORD: airflow POSTGRES_DB: airflow volumes: - postgres-db-volume:/var/lib/postgresql/data healthcheck: test: ["CMD", "pg_isready", "-U", "airflow"] interval: 5s retries: 5 restart: always redis: image: redis:latest expose: - 6379 healthcheck: test: ["CMD", "redis-cli", "ping"] interval: 5s timeout: 30s retries: 50 restart: always airflow-webserver: &lt;&lt;: *airflow-common command: webserver ports: - 8080:8080 healthcheck: test: ["CMD", "curl", "--fail", "http://localhost:8080/health"] interval: 10s timeout: 10s retries: 5 restart: always stdin_open: true tty: true depends_on: &lt;&lt;: *airflow-common-depends-on airflow-init: condition: service_completed_successfully volumes: - ./airflow:/usr/local/airflow airflow-scheduler: &lt;&lt;: *airflow-common command: scheduler healthcheck: test: ["CMD-SHELL", 'airflow jobs check --job-type SchedulerJob --hostname "$${HOSTNAME}"'] interval: 10s timeout: 10s retries: 5 restart: always depends_on: &lt;&lt;: *airflow-common-depends-on airflow-init: condition: service_completed_successfully airflow-worker: &lt;&lt;: *airflow-common command: celery worker healthcheck: test: - "CMD-SHELL" - 'celery --app airflow.executors.celery_executor.app inspect ping -d "celery@$${HOSTNAME}"' interval: 10s timeout: 10s retries: 5 environment: &lt;&lt;: *airflow-common-env # Required to handle warm shutdown of the celery workers properly # See https://airflow.apache.org/docs/docker-stack/entrypoint.html#signal-propagation DUMB_INIT_SETSID: "0" restart: always depends_on: &lt;&lt;: *airflow-common-depends-on airflow-init: condition: service_completed_successfully airflow-triggerer: &lt;&lt;: *airflow-common command: triggerer healthcheck: test: ["CMD-SHELL", 'airflow jobs check --job-type TriggererJob --hostname "$${HOSTNAME}"'] interval: 10s timeout: 10s retries: 5 restart: always depends_on: &lt;&lt;: *airflow-common-depends-on airflow-init: condition: service_completed_successfully airflow-init: &lt;&lt;: *airflow-common entrypoint: /bin/bash # yamllint disable rule:line-length command: - -c - | function ver() { printf "%04d%04d%04d%04d" $${1//./ } } airflow_version=$$(AIRFLOW__LOGGING__LOGGING_LEVEL=INFO &amp;&amp; gosu airflow airflow version) airflow_version_comparable=$$(ver $${airflow_version}) min_airflow_version=2.2.0 min_airflow_version_comparable=$$(ver $${min_airflow_version}) if (( airflow_version_comparable &lt; min_airflow_version_comparable )); then echo echo -e "\033[1;31mERROR!!!: Too old Airflow version $${airflow_version}!\e[0m" echo "The minimum Airflow version supported: $${min_airflow_version}. Only use this or higher!" echo exit 1 fi if [[ -z "${AIRFLOW_UID}" ]]; then echo echo -e "\033[1;33mWARNING!!!: AIRFLOW_UID not set!\e[0m" echo "If you are on Linux, you SHOULD follow the instructions below to set " echo "AIRFLOW_UID environment variable, otherwise files will be owned by root." echo "For other operating systems you can get rid of the warning with manually created .env file:" echo " See: https://airflow.apache.org/docs/apache-airflow/stable/start/docker.html#setting-the-right-airflow-user" echo fi one_meg=1048576 mem_available=$$(($$(getconf _PHYS_PAGES) * $$(getconf PAGE_SIZE) / one_meg)) cpus_available=$$(grep -cE 'cpu[0-9]+' /proc/stat) disk_available=$$(df / | tail -1 | awk '{print $$4}') warning_resources="false" if (( mem_available &lt; 4000 )) ; then echo echo -e "\033[1;33mWARNING!!!: Not enough memory available for Docker.\e[0m" echo "At least 4GB of memory required. You have $$(numfmt --to iec $$((mem_available * one_meg)))" echo warning_resources="true" fi if (( cpus_available &lt; 2 )); then echo echo -e "\033[1;33mWARNING!!!: Not enough CPUS available for Docker.\e[0m" echo "At least 2 CPUs recommended. You have $${cpus_available}" echo warning_resources="true" fi if (( disk_available &lt; one_meg * 10 )); then echo echo -e "\033[1;33mWARNING!!!: Not enough Disk space available for Docker.\e[0m" echo "At least 10 GBs recommended. You have $$(numfmt --to iec $$((disk_available * 1024 )))" echo warning_resources="true" fi if [[ $${warning_resources} == "true" ]]; then echo echo -e "\033[1;33mWARNING!!!: You have not enough resources to run Airflow (see above)!\e[0m" echo "Please follow the instructions to increase amount of resources available:" echo " https://airflow.apache.org/docs/apache-airflow/stable/start/docker.html#before-you-begin" echo fi mkdir -p /sources/logs /sources/dags /sources/plugins chown -R "${AIRFLOW_UID}:0" /sources/{logs,dags,plugins} exec /entrypoint airflow version # yamllint enable rule:line-length environment: &lt;&lt;: *airflow-common-env _AIRFLOW_DB_UPGRADE: 'true' _AIRFLOW_WWW_USER_CREATE: 'true' _AIRFLOW_WWW_USER_USERNAME: ${_AIRFLOW_WWW_USER_USERNAME:-airflow} _AIRFLOW_WWW_USER_PASSWORD: ${_AIRFLOW_WWW_USER_PASSWORD:-airflow} _PIP_ADDITIONAL_REQUIREMENTS: '' user: "0:0" volumes: - .:/sources airflow-cli: &lt;&lt;: *airflow-common profiles: - debug environment: &lt;&lt;: *airflow-common-env CONNECTION_CHECK_MAX_COUNT: "0" # Workaround for entrypoint issue. See: https://github.com/apache/airflow/issues/16252 command: - bash - -c - airflow # You can enable flower by adding "--profile flower" option e.g. docker-compose --profile flower up # or by explicitly targeted on the command line e.g. docker-compose up flower. # See: https://docs.docker.com/compose/profiles/ flower: &lt;&lt;: *airflow-common command: celery flower profiles: - flower ports: - 5555:5555 healthcheck: test: ["CMD", "curl", "--fail", "http://localhost:5555/"] interval: 10s timeout: 10s retries: 5 restart: always depends_on: &lt;&lt;: *airflow-common-depends-on airflow-init: condition: service_completed_successfully volumes: postgres-db-volume: </code></pre></div> <h3 dir="auto">Anything else</h3> <p dir="auto">Tried Already:</p> <ul dir="auto"> <li><a href="https://stackoverflow.com/questions/59591008/airflow-giving-log-file-does-not-exist-error-while-running-on-docker" rel="nofollow">https://stackoverflow.com/questions/59591008/airflow-giving-log-file-does-not-exist-error-while-running-on-docker</a></li> <li><a href="https://forum.astronomer.io/t/log-file-does-not-exist/277" rel="nofollow">https://forum.astronomer.io/t/log-file-does-not-exist/277</a> (can not access jira link)</li> </ul> <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">Discussed in <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="4404000" data-permission-text="Title is private" data-url="https://github.com/apache/airflow/discussions/26490" data-hovercard-type="discussion" data-hovercard-url="/apache/airflow/discussions/26490/hovercard" href="https://github.com/apache/airflow/discussions/26490">#26490</a></h3> <div type="discussions-op-text" dir="auto"> <p dir="auto"><sup>Originally posted by <strong>emredjan</strong> September 19, 2022</sup></p> <h3 dir="auto">Apache Airflow version</h3> <p dir="auto">2.4.0</p> <h3 dir="auto">What happened</h3> <p dir="auto">When running tasks on a remote celery worker, webserver fails to fetch logs from the machine, giving a '403 - Forbidden' error on version 2.4.0. This behavior does not happen on 2.3.3, where the remote logs are retrieved and displayed successfully.<br> The <code class="notranslate">webserver / secret_key</code> configuration is the same in all nodes (the config files are synced), and their time is synchronized using a central NTP server, making the solution in the warning message not applicable.</p> <p dir="auto">My limited analysis pointed to the <code class="notranslate">serve_logs.py</code> file, and the flask request object that's passed to it, but couldn't find the root cause.</p> <h3 dir="auto">What you think should happen instead</h3> <p dir="auto">It should fetch and show remote celery worker logs on the webserver UI correctly, as it did in previous versions.</p> <h3 dir="auto">How to reproduce</h3> <p dir="auto">Use airflow version 2.4.0<br> Use CeleryExecutor with RabbitMQ<br> Use a separate Celery worker machine<br> Run a dag/task on the remote worker<br> Try to display task log on the web UI</p> <h3 dir="auto">Operating System</h3> <p dir="auto">Red Hat Enterprise Linux 8.6 (Ootpa)</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==3.0.0 apache-airflow-providers-common-sql==1.1.0 apache-airflow-providers-ftp==3.0.0 apache-airflow-providers-hashicorp==3.0.0 apache-airflow-providers-http==3.0.0 apache-airflow-providers-imap==3.0.0 apache-airflow-providers-microsoft-mssql==3.0.0 apache-airflow-providers-mysql==3.0.0 apache-airflow-providers-odbc==3.0.0 apache-airflow-providers-sftp==3.0.0 apache-airflow-providers-sqlite==3.0.0 apache-airflow-providers-ssh==3.0.0"><pre class="notranslate"><code class="notranslate">apache-airflow-providers-celery==3.0.0 apache-airflow-providers-common-sql==1.1.0 apache-airflow-providers-ftp==3.0.0 apache-airflow-providers-hashicorp==3.0.0 apache-airflow-providers-http==3.0.0 apache-airflow-providers-imap==3.0.0 apache-airflow-providers-microsoft-mssql==3.0.0 apache-airflow-providers-mysql==3.0.0 apache-airflow-providers-odbc==3.0.0 apache-airflow-providers-sftp==3.0.0 apache-airflow-providers-sqlite==3.0.0 apache-airflow-providers-ssh==3.0.0 </code></pre></div> <h3 dir="auto">Deployment</h3> <p dir="auto">Virtualenv installation</p> <h3 dir="auto">Deployment details</h3> <p dir="auto">Using CeleryExecutor / rabbitmq with 2 servers</p> <h3 dir="auto">Anything else</h3> <p dir="auto">All remote task executions has the same problem.</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> </div>
1
<p dir="auto">Why can't/shouldn't the main editor body get the theme name appended to it as a class? That way I can add my own changes to a theme in my styles.less file and have it only apply to that theme. If I change my theme, those changes might not make sense or even break other things in the new theme.<br> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="17975880" data-permission-text="Title is private" data-url="https://github.com/atom/atom/issues/701" data-hovercard-type="pull_request" data-hovercard-url="/atom/atom/pull/701/hovercard" href="https://github.com/atom/atom/pull/701">#701</a> was what I found when I searched but it didn't really seem to have a good reason for closing it.</p>
<p dir="auto">I want to apply minor modifications to a theme in my styles.less. It would be conveniant to do something like:</p> <div class="highlight highlight-source-css-less notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=".theme-name { .my-modifications { // ... } }"><pre class="notranslate"><span class="pl-e">.theme-name</span> { <span class="pl-e">.my-modifications</span> { <span class="pl-c"><span class="pl-c">//</span> ...</span> } }</pre></div>
1
<p dir="auto">If you know how to fix the issue, make a pull request instead.</p> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I tried using the <code class="notranslate">@types/react-native</code> package and had problems.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I tried using the latest stable version of tsc. <a href="https://www.npmjs.com/package/typescript" rel="nofollow">https://www.npmjs.com/package/typescript</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have a question that is inappropriate for <a href="https://stackoverflow.com/" rel="nofollow">StackOverflow</a>. (Please ask any appropriate questions there).</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/blog/821-mention-somebody-they-re-notified">Mention</a> the authors (see <code class="notranslate">Definitions by:</code> in <code class="notranslate">index.d.ts</code>) so they can respond. <ul dir="auto"> <li>Authors: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/alloy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/alloy">@alloy</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/huhuanming/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/huhuanming">@huhuanming</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/iRoachie/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/iRoachie">@iRoachie</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/timwangdev/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/timwangdev">@timwangdev</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kamal/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kamal">@kamal</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/nelyousfi/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/nelyousfi">@nelyousfi</a></li> </ul> </li> </ul> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/16479124/37696145-74354ec8-2d0f-11e8-97c1-47649b9a937c.png"><img src="https://user-images.githubusercontent.com/16479124/37696145-74354ec8-2d0f-11e8-97c1-47649b9a937c.png" alt="selection_027" style="max-width: 100%;"></a></p> <p dir="auto">I'm getting duplicate identifier error on react-native. Commenting the one line out seems to fix the problem but that's only a temporary solution.</p>
<ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I tried using the <code class="notranslate">@types/node</code> and <code class="notranslate">@types/react-native</code> package and had problems.</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I tried using the latest stable version of tsc. <a href="https://www.npmjs.com/package/typescript" rel="nofollow">https://www.npmjs.com/package/typescript</a></li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have a question that is inappropriate for <a href="https://stackoverflow.com/" rel="nofollow">StackOverflow</a>. (Please ask any appropriate questions there).</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <a href="https://github.com/blog/821-mention-somebody-they-re-notified">Mention</a> the authors (see <code class="notranslate">Definitions by:</code> in <code class="notranslate">index.d.ts</code>) so they can respond. <ul dir="auto"> <li>Authors: <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/alloy/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/alloy">@alloy</a> <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/gyzerok/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/gyzerok">@gyzerok</a></li> </ul> </li> </ul> <p dir="auto">Both of the modules seem to define <code class="notranslate">require</code> and this results in some compliation trouble:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="../node_modules/@types/node/index.d.ts(49,13): error TS2451: Cannot redeclare block-scoped variable 'global'. ../node_modules/@types/node/index.d.ts(73,13): error TS2300: Duplicate identifier 'require'. ../node_modules/@types/react-native/index.d.ts(8541,11): error TS2451: Cannot redeclare block-scoped variable 'global'. ../node_modules/@types/react-native/index.d.ts(8542,14): error TS2300: Duplicate identifier 'require'."><pre class="notranslate"><code class="notranslate">../node_modules/@types/node/index.d.ts(49,13): error TS2451: Cannot redeclare block-scoped variable 'global'. ../node_modules/@types/node/index.d.ts(73,13): error TS2300: Duplicate identifier 'require'. ../node_modules/@types/react-native/index.d.ts(8541,11): error TS2451: Cannot redeclare block-scoped variable 'global'. ../node_modules/@types/react-native/index.d.ts(8542,14): error TS2300: Duplicate identifier 'require'. </code></pre></div> <p dir="auto">Any tips/workarounds?</p>
1
<p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=jaybytez" rel="nofollow">Jay Blanton</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-9526?redirect=false" rel="nofollow">SPR-9526</a></strong> and commented</p> <p dir="auto">We have a web service architecture where any service (API - Int/Impl) could be exposed as a web service. Because of this we have very granular deployment artifacts where each service builds down to a JAR. That way we can pick and chose what JARs create a web service implementation (into a WAR). Because of this we have duplicated property file imports and context file imports, but we know it is going to happen because each individual service needs to be buildable, runnable, and testable...and then it might be composed into a larger service.</p> <p dir="auto">The example from this thread:<br> <a href="http://forum.springsource.org/showthread.php?36482-Preventing-Spring-Context-to-be-loaded-more-than-once&amp;highlight=duplicate+context+files" rel="nofollow">http://forum.springsource.org/showthread.php?36482-Preventing-Spring-Context-to-be-loaded-more-than-once&amp;highlight=duplicate+context+files</a></p> <p dir="auto">Is a perfect example:<br> <a href="http://piotrga.wordpress.com/2007/03/21/preventing-spring-context-to-be-loaded-more-than-once/" rel="nofollow">http://piotrga.wordpress.com/2007/03/21/preventing-spring-context-to-be-loaded-more-than-once/</a></p> <p dir="auto">We might Service B (which is it's own WAR), Service C (which is it's own WAR), and also a Service A (which has dependencies on Service B/C) and therefore pulls in duplicate import statements for the same context file.</p> <p dir="auto">The following is a post that I made, without a response, describing the same issue with the property-placeholder.<br> <a href="http://stackoverflow.com/questions/8949174/does-spring-ignore-duplicate-property-placeholder-files" rel="nofollow">http://stackoverflow.com/questions/8949174/does-spring-ignore-duplicate-property-placeholder-files</a></p> <p dir="auto">Since we are aware of the duplicates, we don't want to have exceptions thrown when encountering duplicate bean ids. We don't receive these errors/issues, but we can see that the duplicate files are loaded and override each other.</p> <p dir="auto">It would be beneficial if both the import and property-placeholder had the capability to ignore-duplicate-files, or via a property in a custom ApplicationContext (like we extend XmlWebApplicationContext) which would allow the ignore-duplicate-files for properties or bean context files.</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?36482-Preventing-Spring-Context-to-be-loaded-more-than-once&amp;highlight=duplicate+context+files" rel="nofollow">http://forum.springsource.org/showthread.php?36482-Preventing-Spring-Context-to-be-loaded-more-than-once&amp;highlight=duplicate+context+files</a></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="398168055" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/16379" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/16379/hovercard" href="https://github.com/spring-projects/spring-framework/issues/16379">#16379</a> Multiple bean instances are created when no id is specified (<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="398058623" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/5845" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/5845/hovercard" href="https://github.com/spring-projects/spring-framework/issues/5845">#5845</a> Load files in only once</li> </ul> <p dir="auto">10 votes, 7 watchers</p>
<p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=kdonald" rel="nofollow">Keith Donald</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-6731?redirect=false" rel="nofollow">SPR-6731</a></strong> and commented</p> <p dir="auto">Noticed when using <code class="notranslate">@RequestBody</code> to bind an incoming JSON string to an Account JavaBean. I was expecting the binding process to respect format annotations such as <code class="notranslate">@NumberFormat</code> and <code class="notranslate">@DateTimeFormat</code> during string-to-propertyType conversion. However, this did not happen since it appears the MappingJacksonHttpMessageConverter is using the default Jackson ObjectMapper by default. For consistency, we should consider configuring Jackson to work with the ConversionService during its mapping process. This would allow format annotations like <code class="notranslate">@NumberFormat</code> and <code class="notranslate">@DateTimeFormat</code> to be respected.</p> <hr> <p dir="auto"><strong>Affects:</strong> 3.0 GA</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="398104228" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/11715" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/11715/hovercard" href="https://github.com/spring-projects/spring-framework/issues/11715">#11715</a> Allow usage of ConversionService for Jackson HttpMessageConverter (<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="398171298" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/16758" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/16758/hovercard" href="https://github.com/spring-projects/spring-framework/issues/16758">#16758</a> Support jackson mix-in classes in Jackson2ObjectMapperFactoryBean</li> <li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="398172849" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/16918" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/16918/hovercard" href="https://github.com/spring-projects/spring-framework/issues/16918">#16918</a> Add serializerByType() deserializerByType() and mixIn() to Jackson2ObjectMapperBuilder</li> <li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="398102148" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/11395" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/11395/hovercard" href="https://github.com/spring-projects/spring-framework/issues/11395">#11395</a> resolveRequestBody algorithm does not take into account ConversionService when determining if binding is possible</li> </ul> <p dir="auto">13 votes, 20 watchers</p>
0
<p dir="auto">I'm using twitter relations as a test bed for neo4j and I ran into issues when making some complicated queries.</p> <p dir="auto">This query runs in just a little over a second</p> <div class="highlight highlight-source-cypher notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="MATCH (x:User) WHERE x.screen_name IN ['apple', 'banana', 'coconut','durian','eggplant'] WITH x MATCH (y:User) WHERE y.screen_name IN ['apple', 'banana', 'coconut','durian','eggplant'] WITH x,y MATCH (x)-[:FOLLOWS]-&gt;(t:User),(y)-[:FOLLOWS]-&gt;(t:User) RETURN count(*) as c, t.screen_name, t.id ORDER BY c DESC LIMIT 1000"><pre class="notranslate"><span class="pl-k">MATCH</span> (<span class="pl-smi">x</span>:<span class="pl-smi">User</span>) <span class="pl-k">WHERE</span> <span class="pl-smi">x</span>.<span class="pl-smi">screen_name</span> <span class="pl-k">IN</span> [<span class="pl-s">'apple'</span>, <span class="pl-s">'banana'</span>, <span class="pl-s">'coconut'</span>,<span class="pl-s">'durian'</span>,<span class="pl-s">'eggplant'</span>] <span class="pl-k">WITH</span> <span class="pl-smi">x</span> <span class="pl-k">MATCH</span> (<span class="pl-smi">y</span>:<span class="pl-smi">User</span>) <span class="pl-k">WHERE</span> <span class="pl-smi">y</span>.<span class="pl-smi">screen_name</span> <span class="pl-k">IN</span> [<span class="pl-s">'apple'</span>, <span class="pl-s">'banana'</span>, <span class="pl-s">'coconut'</span>,<span class="pl-s">'durian'</span>,<span class="pl-s">'eggplant'</span>] <span class="pl-k">WITH</span> <span class="pl-smi">x</span>,<span class="pl-smi">y</span> <span class="pl-k">MATCH</span> (<span class="pl-smi">x</span>)<span class="pl-c1">-</span><span class="pl-k">[</span><span class="pl-en"><span class="pl-k">:</span><span class="pl-en">FOLLOWS</span></span><span class="pl-k">]</span><span class="pl-c1">-&gt;</span>(<span class="pl-smi">t</span>:<span class="pl-smi">User</span>),(<span class="pl-smi">y</span>)<span class="pl-c1">-</span><span class="pl-k">[</span><span class="pl-en"><span class="pl-k">:</span><span class="pl-en">FOLLOWS</span></span><span class="pl-k">]</span><span class="pl-c1">-&gt;</span>(<span class="pl-smi">t</span>:<span class="pl-smi">User</span>) <span class="pl-k">RETURN</span> <span class="pl-c1">count</span>(<span class="pl-k">*</span>) <span class="pl-k">as</span> <span class="pl-smi">c</span>, <span class="pl-smi">t</span>.<span class="pl-smi">screen_name</span>, <span class="pl-smi">t</span>.<span class="pl-smi">id</span> <span class="pl-k">ORDER BY</span> <span class="pl-smi">c</span> <span class="pl-k">DESC</span> <span class="pl-k">LIMIT</span> <span class="pl-c1">1000</span></pre></div> <p dir="auto"><a href="http://pastebin.com/ZF0kSRec" rel="nofollow">See the profile here</a></p> <p dir="auto">But this query does not appear to ever return even though the individuals in groups <code class="notranslate">x</code> and <code class="notranslate">y</code> are identical. The only difference is that I'm referring to them by <code class="notranslate">id</code>:</p> <div class="highlight highlight-source-cypher notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="MATCH (x:User) WHERE x.screen_name IN ['apple', 'banana', 'coconut'] OR x.id IN [12345,98765] WITH x MATCH (y:User) WHERE y.screen_name IN ['apple', 'banana', 'coconut'] OR y.id IN [12345,98765] WITH x,y MATCH (x)-[:FOLLOWS]-&gt;(t:User),(y)-[:FOLLOWS]-&gt;(t:User) RETURN count(*) as c, t.screen_name, t.id ORDER BY c DESC LIMIT 1000"><pre class="notranslate"><span class="pl-k">MATCH</span> (<span class="pl-smi">x</span>:<span class="pl-smi">User</span>) <span class="pl-k">WHERE</span> <span class="pl-smi">x</span>.<span class="pl-smi">screen_name</span> <span class="pl-k">IN</span> [<span class="pl-s">'apple'</span>, <span class="pl-s">'banana'</span>, <span class="pl-s">'coconut'</span>] <span class="pl-k">OR</span> <span class="pl-smi">x</span>.<span class="pl-smi">id</span> <span class="pl-k">IN</span> [<span class="pl-c1">12345</span>,<span class="pl-c1">98765</span>] <span class="pl-k">WITH</span> <span class="pl-smi">x</span> <span class="pl-k">MATCH</span> (<span class="pl-smi">y</span>:<span class="pl-smi">User</span>) <span class="pl-k">WHERE</span> <span class="pl-smi">y</span>.<span class="pl-smi">screen_name</span> <span class="pl-k">IN</span> [<span class="pl-s">'apple'</span>, <span class="pl-s">'banana'</span>, <span class="pl-s">'coconut'</span>] <span class="pl-k">OR</span> <span class="pl-smi">y</span>.<span class="pl-smi">id</span> <span class="pl-k">IN</span> [<span class="pl-c1">12345</span>,<span class="pl-c1">98765</span>] <span class="pl-k">WITH</span> <span class="pl-smi">x</span>,<span class="pl-smi">y</span> <span class="pl-k">MATCH</span> (<span class="pl-smi">x</span>)<span class="pl-c1">-</span><span class="pl-k">[</span><span class="pl-en"><span class="pl-k">:</span><span class="pl-en">FOLLOWS</span></span><span class="pl-k">]</span><span class="pl-c1">-&gt;</span>(<span class="pl-smi">t</span>:<span class="pl-smi">User</span>),(<span class="pl-smi">y</span>)<span class="pl-c1">-</span><span class="pl-k">[</span><span class="pl-en"><span class="pl-k">:</span><span class="pl-en">FOLLOWS</span></span><span class="pl-k">]</span><span class="pl-c1">-&gt;</span>(<span class="pl-smi">t</span>:<span class="pl-smi">User</span>) <span class="pl-k">RETURN</span> <span class="pl-c1">count</span>(<span class="pl-k">*</span>) <span class="pl-k">as</span> <span class="pl-smi">c</span>, <span class="pl-smi">t</span>.<span class="pl-smi">screen_name</span>, <span class="pl-smi">t</span>.<span class="pl-smi">id</span> <span class="pl-k">ORDER BY</span> <span class="pl-smi">c</span> <span class="pl-k">DESC</span> <span class="pl-k">LIMIT</span> <span class="pl-c1">1000</span></pre></div> <p dir="auto"><a href="http://pastebin.com/AhYi6KTk" rel="nofollow">See the profile here</a></p> <p dir="auto">I would presume that both of these queries would quickly gather the indicated individuals in the first two clauses and then run the third clause with equal speed because x and y is just a group of ids at that point. I thought that <code class="notranslate">WITH</code> was a barrier beyond which the query planner could not look! So I don't understand what I'm seeing here.</p> <p dir="auto">Facts:</p> <ul dir="auto"> <li>neo4j-community-2.1.3,</li> <li>using a mac</li> <li>286,039 nodes; every node in the graph is <code class="notranslate">User</code> (a twitter user)</li> <li>381,255 relationships; all relationship is <code class="notranslate">-[:FOLLOWS]-&gt;</code></li> <li>Indices and constraints</li> </ul> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Indexes ON :User(screen_name) ONLINE (for uniqueness constraint) ON :User(id) ONLINE (for uniqueness constraint) Constraints ON (user:User) ASSERT user.screen_name IS UNIQUE ON (user:User) ASSERT user.id IS UNIQUE"><pre class="notranslate"><code class="notranslate">Indexes ON :User(screen_name) ONLINE (for uniqueness constraint) ON :User(id) ONLINE (for uniqueness constraint) Constraints ON (user:User) ASSERT user.screen_name IS UNIQUE ON (user:User) ASSERT user.id IS UNIQUE </code></pre></div> <ul dir="auto"> <li><a href="http://stackoverflow.com/questions/25235616/slow-neo4j-query-despite-indices/25248807" rel="nofollow">My question on StackOverflow</a></li> </ul>
<p dir="auto">You guys might already be working on this, but this is a somewhat common use case that was easy with the old index syntax, and entirely too inefficient with the new indexes. Index hinting on this type of query returns an error, and the query without an index hint does a label scan for horrid performance.</p> <p dir="auto">Query:<br> match a:Crew using index a:Crew(name)<br> where a.name="Neo" or a.name="Cypher"<br> return a;<br> Error: org.neo4j.cypher.IndexHintException: Can't use an index hint without an equality comparison on the correct node property label combo.<br> Label: <code class="notranslate">Crew</code><br> Property name: <code class="notranslate">name</code></p>
1
<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.295] Windows Terminal version (if applicable): Version: 0.3.2171.0"><pre lang="none" class="notranslate"><code class="notranslate">Windows build number: Microsoft Windows [version 10.0.18362.295] Windows Terminal version (if applicable): Version: 0.3.2171.0 </code></pre></div> <h1 dir="auto">Steps to reproduce</h1> <ol dir="auto"> <li>Install Windows Terminal</li> <li>Install a Linux Distribution from Windows Store</li> <li>Enable the Windows Subsystem for Linux</li> <li>Reboot</li> <li>Launch the WSL distro and configure it</li> <li>Reboot</li> </ol> <h1 dir="auto">Expected behavior</h1> <p dir="auto">Display the WSL distro in the profiles list<br> Or add easy way to add it</p> <h1 dir="auto">Actual behavior</h1> <p dir="auto">The WSL distro not appear in the profiles list</p>
<h1 dir="auto">Description of the new feature/enhancement</h1> <p dir="auto">There is no merits in one-liner text terminal console - boldly use proper IDE text windows</p> <ul dir="auto"> <li>With 2K, 4K display "estate" it make absolute no sense to stick with one-liner terminal prompts</li> <li>enable multiple split-view windows like a text editor.</li> </ul> <p dir="auto">Enables better integration across traditional keystroke/shortcuts UI, GUI and mouse-clicks.<br> One-line prompt were invented in days with limited resources.</p> <p dir="auto">Today Console UI's does not need to follow in "exact" same foot steps - proper editor windows would supplement the Console UI more conveniently when it comes to features such as history, searches, line numbers, also ease script editing.</p> <p dir="auto">Multiple split-view windows would be kind of loading various (text) files from last or save session together a interactive script interpreter.</p> <p dir="auto">VS Code has most of the plumping, line-by-line debugging already.<br> Keyboard shortcuts easy accessible by and re-assignable.</p> <p dir="auto">Features like on-the-fly filenames highlighting (current folder, folders in the path), Output redirection, Output Error codes &amp; Hyper Linking, Line numbers etc. could major productivity gain benefits over a more traditional one-liner console prompt interface.</p> <p dir="auto">Text-click selection expansion similar to Excel cell selection range expansion.<br> Browser like ALT+click to open/launch/clipboard/buffer copy for selected text.<br> MDI split screen views for file load, file save, history will make it easier for the console users.</p> <p dir="auto">Combination of both GUI keyboard shortcuts, traditional console keyboard shortcuts enable larger user base, also make it easier for newbies.</p> <p dir="auto">Traditional Console keyboard shortcuts should take precedence, also allow conflicting GUI keyboard shortcuts to reassigned or preferably used by keyboard modifier keys.</p> <p dir="auto">F. ex.:<br> WIN key ==&gt; GUI<br> CTRL/ALT/SHIFT key ==&gt; console</p> <p dir="auto">"Standard" keyboard shortcuts could be used in a larger context, also more quickly become "natural".<br> Configurable mouse-click interactions with the console prompt.</p> <p dir="auto">Enables Terminal console UI interaction with Windows GUI applications.</p> <h1 dir="auto">Proposed technical implementation details (optional)</h1> <p dir="auto">Split screen buffer views: 0..9, Q-P (scrollable splitview windows)<br> Side by side buffer views for copy/paste/diff/highlighting</p> <p dir="auto">"Standard" window buffers available for copy/paste/search/replace/regexp (NFA)<br> Buffer 0: Clipboard Text<br> Buffer 1: Search, Replace output<br> Buffer 2: Filenames, symbol links, (folder view)<br> Buffer 3: Matched searches/replaced (like find all)<br> Buffer 4: Command History<br> Buffer 5: Filename History (recent filelist)<br> Buffer 6: Edit history (column-view of keystroke, filename, date/time like VS Code Ctrl+K+S)<br> Buffer 7: Diff history<br> Buffer 8: Regexp history<br> Buffer 9: Output history applications (stdout, stderr, date/time)</p> <p dir="auto">Re-assignable keyboard shortcuts.<br> Traditional keyboard shortcuts take precedence over conflicting GUI shortcuts.<br> Keyboard modifier keys, WIN+ for GUI, CTL+ALT+SHIFT combination for Terminal<br> Proper editing in Text window and also faster than "spinning" single text-line "up-down"</p> <h1 dir="auto">Proposed technical implementation details (optional)</h1>
0
<p dir="auto"><strong>System information</strong></p> <ul dir="auto"> <li>Have I written custom code (as opposed to using a stock example script provided in TensorFlow): no</li> <li>OS Platform and Distribution (e.g., Linux Ubuntu 16.04): Archlinux</li> <li>TensorFlow installed from (source or binary): binary</li> <li>TensorFlow version (use command below): v1.12.1-3374-g9eb67b17bf 2.0.0-dev20190605</li> <li>Python version: 3.6</li> <li>CUDA/cuDNN version: 10</li> <li>GPU model and memory: 1080 Ti</li> </ul> <p dir="auto"><strong>Describe the current behavior</strong></p> <p dir="auto">I expect to do a forward pass with a model with a BachNormalization layer in training mode, when using the <code class="notranslate">tf.distribuite.MirroredStrategy</code> but I can't, because it reises the following exception:</p> <blockquote> <p dir="auto">RuntimeError: <code class="notranslate">add_update</code> was called in a cross-replica context. This is not expected. If you require this feature, please file an issue.</p> </blockquote> <p dir="auto">Why it is not expected?</p> <p dir="auto"><strong>Describe the expected behavior</strong></p> <p dir="auto">It should work.<br> The commit that introduced this behavior is: <a class="commit-link" href="https://github.com/tensorflow/tensorflow/commit/316cd57883166e6a0b4c2d0eaacebddad7675b39#diff-8eb7e20502209f082d0cb15119a50413"><tt>316cd57</tt>#diff-8eb7e20502209f082d0cb15119a50413</a></p> <p dir="auto"><strong>Code to reproduce the issue</strong></p> <div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import tensorflow as tf model = tf.keras.Sequential( [ tf.keras.layers.Dense(10), tf.keras.layers.BatchNormalization(), tf.keras.layers.Dense(1), ] ) strategy = tf.distribute.MirroredStrategy() with strategy.scope(): out = model(tf.zeros((1, 10)), training=True)"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">tensorflow</span> <span class="pl-k">as</span> <span class="pl-s1">tf</span> <span class="pl-s1">model</span> <span class="pl-c1">=</span> <span class="pl-s1">tf</span>.<span class="pl-s1">keras</span>.<span class="pl-v">Sequential</span>( [ <span class="pl-s1">tf</span>.<span class="pl-s1">keras</span>.<span class="pl-s1">layers</span>.<span class="pl-v">Dense</span>(<span class="pl-c1">10</span>), <span class="pl-s1">tf</span>.<span class="pl-s1">keras</span>.<span class="pl-s1">layers</span>.<span class="pl-v">BatchNormalization</span>(), <span class="pl-s1">tf</span>.<span class="pl-s1">keras</span>.<span class="pl-s1">layers</span>.<span class="pl-v">Dense</span>(<span class="pl-c1">1</span>), ] ) <span class="pl-s1">strategy</span> <span class="pl-c1">=</span> <span class="pl-s1">tf</span>.<span class="pl-s1">distribute</span>.<span class="pl-v">MirroredStrategy</span>() <span class="pl-k">with</span> <span class="pl-s1">strategy</span>.<span class="pl-en">scope</span>(): <span class="pl-s1">out</span> <span class="pl-c1">=</span> <span class="pl-en">model</span>(<span class="pl-s1">tf</span>.<span class="pl-en">zeros</span>((<span class="pl-c1">1</span>, <span class="pl-c1">10</span>)), <span class="pl-s1">training</span><span class="pl-c1">=</span><span class="pl-c1">True</span>)</pre></div>
<h3 dir="auto">System information</h3> <ul dir="auto"> <li><strong>Have I written custom code (as opposed to using a stock example script provided in TensorFlow)</strong>: No</li> <li><strong>OS Platform and Distribution (e.g., Linux Ubuntu 16.04)</strong>:</li> </ul> <div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="$ uname -mrs Linux 4.14.0-49.el7a.ppc64le ppc64le"><pre class="notranslate">$ uname -mrs Linux 4.14.0-49.el7a.ppc64le ppc64le</pre></div> <ul dir="auto"> <li><strong>TensorFlow installed from (source or binary)</strong>: Binary</li> <li><strong>TensorFlow version (use command below)</strong>: 1.6.0</li> <li><strong>Python version</strong>: 2.7.5</li> <li><strong>Bazel version (if compiling from source)</strong>:</li> <li><strong>GCC/Compiler version (if compiling from source)</strong>:</li> <li><strong>CUDA/cuDNN version</strong>: CUDA 9.1, CuDNN 7.0.5</li> <li><strong>GPU model and memory</strong>: Tesla V100:</li> </ul> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="== nvidia-smi =================================================== Thu Apr 26 18:35:34 2018 +-----------------------------------------------------------------------------+ | NVIDIA-SMI 396.19 Driver Version: 396.19 | |-------------------------------+----------------------+----------------------+ | GPU Name Persistence-M| Bus-Id Disp.A | Volatile Uncorr. ECC | | Fan Temp Perf Pwr:Usage/Cap| Memory-Usage | GPU-Util Compute M. | |===============================+======================+======================| | 0 Tesla V100-SXM2... Off | 00000004:04:00.0 Off | 0 | | N/A 29C P0 52W / 300W | 0MiB / 15360MiB | 0% E. Process | +-------------------------------+----------------------+----------------------+"><pre class="notranslate"><code class="notranslate">== nvidia-smi =================================================== Thu Apr 26 18:35:34 2018 +-----------------------------------------------------------------------------+ | NVIDIA-SMI 396.19 Driver Version: 396.19 | |-------------------------------+----------------------+----------------------+ | GPU Name Persistence-M| Bus-Id Disp.A | Volatile Uncorr. ECC | | Fan Temp Perf Pwr:Usage/Cap| Memory-Usage | GPU-Util Compute M. | |===============================+======================+======================| | 0 Tesla V100-SXM2... Off | 00000004:04:00.0 Off | 0 | | N/A 29C P0 52W / 300W | 0MiB / 15360MiB | 0% E. Process | +-------------------------------+----------------------+----------------------+ </code></pre></div> <ul dir="auto"> <li><strong>Exact command to reproduce</strong>: N/A</li> </ul> <p dir="auto">We would like to be able to have access to the CuDNN autotuner in <code class="notranslate">tf.keras</code> module to access optimal algorithms for a given hardware (or, perhaps passing a custom convolutional algorithm from config). In TensorFlow, I can specify to use the CuDNN autotuner by setting:</p> <div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="os.environ['TF_CUDNN_USE_AUTOTUNE'] = &quot;1&quot;"><pre class="notranslate">os.environ[<span class="pl-s"><span class="pl-pds">'</span>TF_CUDNN_USE_AUTOTUNE<span class="pl-pds">'</span></span>] = <span class="pl-s"><span class="pl-pds">"</span>1<span class="pl-pds">"</span></span></pre></div> <p dir="auto">(currently enabled by default), which improves performance significantly on Volta GPUs and especially with FP16.</p> <p dir="auto">However, I am unable to access this performance improvement when running pure <code class="notranslate">tf.keras</code>, where setting this environmental variable does not have any effect.</p> <h3 dir="auto">Source code / logs</h3> <p dir="auto">Following simple example could be used to reproduce the issue: <a href="https://gist.github.com/ASvyatkovskiy/8d1dd622e447d9d8de1ec4e238e0dbaa">https://gist.github.com/ASvyatkovskiy/8d1dd622e447d9d8de1ec4e238e0dbaa</a></p>
0
<h2 dir="auto">Steps to Reproduce</h2> <p dir="auto">If I create a new app with "flutter create myapp" and then try to launch it either on Simulator or on my iPod Touch, then I have the following error:<br> <strong>error: The sandbox is not in sync with the Podfile.lock. Run 'pod install' or update your CocoaPods installation.</strong></p> <p dir="auto">This is only resolved by performing a 'pod install' in the ios folder.</p> <h2 dir="auto">Flutter Doctor</h2> <p dir="auto">[✓] Flutter (on Mac OS, channel alpha)<br> • Flutter at /Users/Yoyo/flutter<br> • Framework revision <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/flutter/flutter/commit/9a0a0d990308f15c3624f512aba7623739717862/hovercard" href="https://github.com/flutter/flutter/commit/9a0a0d990308f15c3624f512aba7623739717862"><tt>9a0a0d9</tt></a> (11 days ago), engine revision <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/flutter/flutter/commit/f8d80c4617ea659ad47ee8afac498227c72aa031/hovercard" href="https://github.com/flutter/flutter/commit/f8d80c4617ea659ad47ee8afac498227c72aa031"><tt>f8d80c4</tt></a></p> <p dir="auto">[✓] Android toolchain - develop for Android devices (Android SDK 24.0.0-preview)<br> • Android SDK at /Yoyo/AndroidSDK<br> • Platform android-N, build-tools 24.0.0-preview<br> • Java(TM) SE Runtime Environment (build 1.8.0_91-b14)</p> <p dir="auto">[✓] iOS toolchain - develop for iOS devices (Xcode 7.3.1)<br> • XCode at /Applications/Xcode.app/Contents/Developer<br> • Xcode 7.3.1, Build version 7D1014</p> <p dir="auto">[✓] Atom - a lightweight development environment for Flutter<br> • flutter plugin version 0.2.4<br> • dartlang plugin version 0.6.37</p>
<h2 dir="auto">Steps to Reproduce</h2> <p dir="auto">On the iOS simulator...</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="flutter create new-project cd new-project/ flutter run"><pre class="notranslate"><code class="notranslate">flutter create new-project cd new-project/ flutter run </code></pre></div> <p dir="auto">Wait 1 minute and nothing has occurred. The app icon is not present on the simulator.</p> <h2 dir="auto">Flutter Doctor</h2> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[✓] Flutter (on Mac OS, channel master) • Flutter at /Users/drewwarren/flutter • Framework revision abeb5c7363 (10 minutes ago), engine revision fe509b0d96 [x] Android toolchain - develop for Android devices x Android Studio / Android SDK not found. Download from https://developer.android.com/sdk/ (or visit https://flutter.io/setup/#android-setup for detailed instructions). [✓] iOS toolchain - develop for iOS devices (Xcode 7.3.1) • XCode at /Applications/Xcode.app/Contents/Developer • Xcode 7.3.1, Build version 7D1014 [✓] Atom - a lightweight development environment for Flutter • flutter plugin version 0.2.4 • dartlang plugin version 0.6.34"><pre class="notranslate"><code class="notranslate">[✓] Flutter (on Mac OS, channel master) • Flutter at /Users/drewwarren/flutter • Framework revision abeb5c7363 (10 minutes ago), engine revision fe509b0d96 [x] Android toolchain - develop for Android devices x Android Studio / Android SDK not found. Download from https://developer.android.com/sdk/ (or visit https://flutter.io/setup/#android-setup for detailed instructions). [✓] iOS toolchain - develop for iOS devices (Xcode 7.3.1) • XCode at /Applications/Xcode.app/Contents/Developer • Xcode 7.3.1, Build version 7D1014 [✓] Atom - a lightweight development environment for Flutter • flutter plugin version 0.2.4 • dartlang plugin version 0.6.34 </code></pre></div> <h2 dir="auto">Logs and Crash Reports</h2> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="new-project$ flutter run Running lib/main.dart on iPhone 5s..."><pre class="notranslate"><code class="notranslate">new-project$ flutter run Running lib/main.dart on iPhone 5s... </code></pre></div> <p dir="auto">No additional output after a minute</p>
1
<p dir="auto">Hello, how can I display more items in bootstrap carousel? I have to write that code?<br> Thanks to everyone</p>
<p dir="auto">Hello, how can I display more items in bootstrap carousel? I have to write that code?<br> Thanks to everyone</p>
1
<p dir="auto">Phenomena:</p> <p dir="auto">In version 4.0.0-RC1, when one field in the data I inserted was null, the automatically generated primary key ID was assigned to other fields. For example, I want to insert INSERT INTO user (name, remark, age) VALUES ("test", "null, 18"), after sharding, it becomes INSERT INTO user (name, remark, age, id) VALUES ("test", "18", "automatically generated primary key id", null)</p> <p dir="auto">Analysis:</p> <p dir="auto">The <strong>getCurrentIndex</strong> method in the <strong>InsertOptimizeResultUnit</strong> class has problems, and judgment is problematic when obtaining the current index subscript. There is no need to recalculate the current table below. The current scale is known by the number of fields in front of it.</p>
<p dir="auto">Which version of ShardingSphere did you use?<br> 4.0.0-RC1</p> <p dir="auto">Which project did you use? Sharding-JDBC or Sharding-Proxy?<br> Sharding-JDBC</p> <p dir="auto">sql<br> INSERT INTO <code class="notranslate">customer_account</code>(<code class="notranslate">group_id</code>, <code class="notranslate">customer_id</code>, <code class="notranslate">channel</code>, <code class="notranslate">recharge_balance</code>, <code class="notranslate">gift_balance</code>, <code class="notranslate">total_recharge_amount</code>, <code class="notranslate">total_gift_amount</code>, <code class="notranslate">version</code>, <code class="notranslate">query_password</code>, <code class="notranslate">query_salt</code>, <code class="notranslate">query_hash_type</code>, <code class="notranslate">pay_password</code>, <code class="notranslate">pay_salt</code>, <code class="notranslate">pay_hash_type</code>, <code class="notranslate">extra</code>,<code class="notranslate">deleted_at</code>) VALUES ('0', '9223372036854775801', 'default', 0, 0, 0, 0, 0, '', '', 0, '', '', 0, null,null);</p> <p dir="auto">Expected behavior<br> INSERT INTO <code class="notranslate">customer_account</code>(<code class="notranslate">group_id</code>, <code class="notranslate">customer_id</code>, <code class="notranslate">channel</code>, <code class="notranslate">recharge_balance</code>, <code class="notranslate">gift_balance</code>, <code class="notranslate">total_recharge_amount</code>, <code class="notranslate">total_gift_amount</code>, <code class="notranslate">version</code>, <code class="notranslate">query_password</code>, <code class="notranslate">query_salt</code>, <code class="notranslate">query_hash_type</code>, <code class="notranslate">pay_password</code>, <code class="notranslate">pay_salt</code>, <code class="notranslate">pay_hash_type</code>, <code class="notranslate">extra</code>,<code class="notranslate">deleted_at</code>) VALUES ('0', '9223372036854775801', 'default', 0, 0, 0, 0, 0, '', '', 0, '', '', 0, null,null);</p> <p dir="auto">Actual behavior<br> INSERT INTO <code class="notranslate">customer_account_0</code> (group_id, customer_id, channel, recharge_balance, gift_balance, total_recharge_amount, total_gift_amount, version, query_password, query_salt, query_hash_type, pay_password, pay_salt, pay_hash_type, extra, deleted_at, id) VALUES ('0', '9223372036854775801', 'default', 0, 0, 0, 0, 0, '', '', 0, '', '', 0, 'null', 'null', 356386280105312257)</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="&lt;version&gt;4.0.0-RC1&lt;/version&gt; 10:31:50.527 [main] INFO ShardingSphere-SQL - Logic SQL: INSERT INTO `customer_account`(`group_id`, `customer_id`, `channel`, `recharge_balance`, `gift_balance`, `total_recharge_amount`, `total_gift_amount`, `version`, `query_password`, `query_salt`, `query_hash_type`, `pay_password`, `pay_salt`, `pay_hash_type`, `extra`,`deleted_at`) VALUES ('0', '9223372036854775801', 'default', 0, 0, 0, 0, 0, '', '', 0, '', '', 0, null,null); 10:31:50.527 [main] INFO ShardingSphere-SQL - SQLStatement: InsertStatement(super=DMLStatement(super=AbstractSQLStatement(type=DML, tables=Tables(tables=[Table(name=customer_account, alias=Optional.absent())]), routeConditions=Conditions(orCondition=OrCondition(andConditions=[AndCondition(conditions=[Condition(column=Column(name=customer_id, tableName=customer_account), operator=EQUAL, compareOperator=null, positionValueMap={0=9223372036854775801}, positionIndexMap={})])])), encryptConditions=Conditions(orCondition=OrCondition(andConditions=[])), sqlTokens=[TableToken(tableName=customer_account, quoteCharacter=BACK_QUOTE, schemaNameLength=0), SQLToken(startIndex=31)], parametersIndex=0, logicSQL= INSERT INTO `customer_account`(`group_id`, `customer_id`, `channel`, `recharge_balance`, `gift_balance`, `total_recharge_amount`, `total_gift_amount`, `version`, `query_password`, `query_salt`, `query_hash_type`, `pay_password`, `pay_salt`, `pay_hash_type`, `extra`,`deleted_at`) VALUES ('0', '9223372036854775801', 'default', 0, 0, 0, 0, 0, '', '', 0, '', '', 0, null,null);), deleteStatement=false, updateTableAlias={}, updateColumnValues={}, whereStartIndex=0, whereStopIndex=0, whereParameterStartIndex=0, whereParameterEndIndex=0), columnNames=[group_id, customer_id, channel, recharge_balance, gift_balance, total_recharge_amount, total_gift_amount, version, query_password, query_salt, query_hash_type, pay_password, pay_salt, pay_hash_type, extra, deleted_at], values=[InsertValue(columnValues=[org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@44ed0a8f, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@32177fa5, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@a96d56c, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@6ab4a5b, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@2abe9173, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@235d29d6, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@1fdca564, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@43f9dd56, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@1d12e953, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@57cb70be, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@2d4608a6, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@20d87335, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@2a8a4e0c, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@26c89563, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@3bd6ba24, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@58f437b0])]) 10:31:50.528 [main] INFO ShardingSphere-SQL - Actual SQL: ds0 ::: INSERT INTO `customer_account_0` (group_id, customer_id, channel, recharge_balance, gift_balance, total_recharge_amount, total_gift_amount, version, query_password, query_salt, query_hash_type, pay_password, pay_salt, pay_hash_type, extra, deleted_at, id) VALUES ('0', '9223372036854775801', 'default', 0, 0, 0, 0, 0, '', '', 0, '', '', 0, 'null', 'null', 356386280105312257) Exception in thread &quot;main&quot; com.mysql.cj.jdbc.exceptions.MysqlDataTruncation: Data truncation: Incorrect datetime value: 'null' for column 'deleted_at' at row 1 "><pre class="notranslate"><code class="notranslate">&lt;version&gt;4.0.0-RC1&lt;/version&gt; 10:31:50.527 [main] INFO ShardingSphere-SQL - Logic SQL: INSERT INTO `customer_account`(`group_id`, `customer_id`, `channel`, `recharge_balance`, `gift_balance`, `total_recharge_amount`, `total_gift_amount`, `version`, `query_password`, `query_salt`, `query_hash_type`, `pay_password`, `pay_salt`, `pay_hash_type`, `extra`,`deleted_at`) VALUES ('0', '9223372036854775801', 'default', 0, 0, 0, 0, 0, '', '', 0, '', '', 0, null,null); 10:31:50.527 [main] INFO ShardingSphere-SQL - SQLStatement: InsertStatement(super=DMLStatement(super=AbstractSQLStatement(type=DML, tables=Tables(tables=[Table(name=customer_account, alias=Optional.absent())]), routeConditions=Conditions(orCondition=OrCondition(andConditions=[AndCondition(conditions=[Condition(column=Column(name=customer_id, tableName=customer_account), operator=EQUAL, compareOperator=null, positionValueMap={0=9223372036854775801}, positionIndexMap={})])])), encryptConditions=Conditions(orCondition=OrCondition(andConditions=[])), sqlTokens=[TableToken(tableName=customer_account, quoteCharacter=BACK_QUOTE, schemaNameLength=0), SQLToken(startIndex=31)], parametersIndex=0, logicSQL= INSERT INTO `customer_account`(`group_id`, `customer_id`, `channel`, `recharge_balance`, `gift_balance`, `total_recharge_amount`, `total_gift_amount`, `version`, `query_password`, `query_salt`, `query_hash_type`, `pay_password`, `pay_salt`, `pay_hash_type`, `extra`,`deleted_at`) VALUES ('0', '9223372036854775801', 'default', 0, 0, 0, 0, 0, '', '', 0, '', '', 0, null,null);), deleteStatement=false, updateTableAlias={}, updateColumnValues={}, whereStartIndex=0, whereStopIndex=0, whereParameterStartIndex=0, whereParameterEndIndex=0), columnNames=[group_id, customer_id, channel, recharge_balance, gift_balance, total_recharge_amount, total_gift_amount, version, query_password, query_salt, query_hash_type, pay_password, pay_salt, pay_hash_type, extra, deleted_at], values=[InsertValue(columnValues=[org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@44ed0a8f, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@32177fa5, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@a96d56c, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@6ab4a5b, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@2abe9173, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@235d29d6, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@1fdca564, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@43f9dd56, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@1d12e953, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@57cb70be, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@2d4608a6, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@20d87335, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@2a8a4e0c, org.apache.shardingsphere.core.parse.old.parser.expression.SQLNumberExpression@26c89563, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@3bd6ba24, org.apache.shardingsphere.core.parse.old.parser.expression.SQLTextExpression@58f437b0])]) 10:31:50.528 [main] INFO ShardingSphere-SQL - Actual SQL: ds0 ::: INSERT INTO `customer_account_0` (group_id, customer_id, channel, recharge_balance, gift_balance, total_recharge_amount, total_gift_amount, version, query_password, query_salt, query_hash_type, pay_password, pay_salt, pay_hash_type, extra, deleted_at, id) VALUES ('0', '9223372036854775801', 'default', 0, 0, 0, 0, 0, '', '', 0, '', '', 0, 'null', 'null', 356386280105312257) Exception in thread "main" com.mysql.cj.jdbc.exceptions.MysqlDataTruncation: Data truncation: Incorrect datetime value: 'null' for column 'deleted_at' at row 1 </code></pre></div>
0
<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: master<br> I find some code in these place:<br> <div class="Box Box--condensed my-2"> <div class="Box-header f6"> <p class="mb-0 text-bold"> <a href="https://github.com/apache/dubbo/blob/683db2b1b2e2af0bb7718005f54d74d8000cf41f/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/ConsistentHashLoadBalance.java#L91">dubbo/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/ConsistentHashLoadBalance.java</a> </p> <p class="mb-0 color-fg-muted"> Line 91 in <a data-pjax="true" class="commit-tease-sha" href="/apache/dubbo/commit/683db2b1b2e2af0bb7718005f54d74d8000cf41f">683db2b</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="L91" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="91"></td> <td id="LC91" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-smi">byte</span>[] <span class="pl-s1">digest</span> = <span class="pl-en">md5</span>(<span class="pl-s1">address</span> + <span class="pl-s1">i</span>); </td> </tr> </tbody></table> </div> </div> </li> </ul> <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/apache/dubbo/blob/683db2b1b2e2af0bb7718005f54d74d8000cf41f/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/ConsistentHashLoadBalance.java#L102">dubbo/dubbo-cluster/src/main/java/org/apache/dubbo/rpc/cluster/loadbalance/ConsistentHashLoadBalance.java</a> </p> <p class="mb-0 color-fg-muted"> Line 102 in <a data-pjax="true" class="commit-tease-sha" href="/apache/dubbo/commit/683db2b1b2e2af0bb7718005f54d74d8000cf41f">683db2b</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="L102" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="102"></td> <td id="LC102" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-smi">byte</span>[] <span class="pl-s1">digest</span> = <span class="pl-en">md5</span>(<span class="pl-s1">key</span>); </td> </tr> </tbody></table> </div> </div> <p></p> <p dir="auto">Thet use a self define md5 method.But I found a md5 method defined in:<br> </p><div class="Box Box--condensed my-2"> <div class="Box-header f6"> <p class="mb-0 text-bold"> <a href="https://github.com/apache/dubbo/blob/683db2b1b2e2af0bb7718005f54d74d8000cf41f/dubbo-common/src/main/java/org/apache/dubbo/common/io/Bytes.java#L824-L826">dubbo/dubbo-common/src/main/java/org/apache/dubbo/common/io/Bytes.java</a> </p> <p class="mb-0 color-fg-muted"> Lines 824 to 826 in <a data-pjax="true" class="commit-tease-sha" href="/apache/dubbo/commit/683db2b1b2e2af0bb7718005f54d74d8000cf41f">683db2b</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="L824" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="824"></td> <td id="LC824" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-k">public</span> <span class="pl-k">static</span> <span class="pl-smi">byte</span>[] <span class="pl-en">getMD5</span>(<span class="pl-smi">String</span> <span class="pl-s1">str</span>) { </td> </tr> <tr class="border-0"> <td id="L825" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="825"></td> <td id="LC825" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-k">return</span> <span class="pl-en">getMD5</span>(<span class="pl-s1">str</span>.<span class="pl-en">getBytes</span>()); </td> </tr> <tr class="border-0"> <td id="L826" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="826"></td> <td id="LC826" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> } </td> </tr> </tbody></table> </div> </div> <p></p> <p dir="auto">If there is no other reason,I think they can be replaced with <code class="notranslate">byte[] digest = Bytes.getMD5(key);</code>.</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/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.5</li> <li>Operating System version: macOS 10.15.3 (19D76)</li> <li>Java version: 1.8.241</li> </ul> <h3 dir="auto">Steps to reproduce this issue</h3> <ol dir="auto"> <li>启用将metadata保存至remote的方式为dubbo.application.metadata-type=remote</li> <li>配置dubbo.metadata-report.adress=nacos://127.0.0.1:8848</li> <li>无法在Nacos查看服务元数据</li> </ol> <p dir="auto">为导出服务的URL生成的metadata相关的参数名为metadata.type,但常量METADATA_KEY的值为metadata。因此获得的WritableMetadataService为InMemoryWritableMetadataService,导致无法将元数据保存到remote</p> <p dir="auto">org.apache.dubbo.config.ServiceConfig#487</p> <div class="highlight highlight-source-java notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="WritableMetadataService metadataService = WritableMetadataService.getExtension(url.getParameter(METADATA_KEY, DEFAULT_METADATA_STORAGE_TYPE)); if (metadataService != null) { metadataService.publishServiceDefinition(url); }"><pre class="notranslate"><span class="pl-smi">WritableMetadataService</span> <span class="pl-s1">metadataService</span> = <span class="pl-smi">WritableMetadataService</span>.<span class="pl-en">getExtension</span>(<span class="pl-s1">url</span>.<span class="pl-en">getParameter</span>(<span class="pl-c1">METADATA_KEY</span>, <span class="pl-c1">DEFAULT_METADATA_STORAGE_TYPE</span>)); <span class="pl-k">if</span> (<span class="pl-s1">metadataService</span> != <span class="pl-c1">null</span>) { <span class="pl-s1">metadataService</span>.<span class="pl-en">publishServiceDefinition</span>(<span class="pl-s1">url</span>); }</pre></div>
0
<p dir="auto"><strong>Is your feature request related to a problem? Please describe.</strong><br> A clear and concise description of what the problem is. Ex. I'm always frustrated when [...]</p> <p dir="auto"><strong>Describe the solution you'd like</strong><br> A clear and concise description of what you want to happen.</p> <p dir="auto"><strong>Describe alternatives you've considered</strong><br> A clear and concise description of any alternative solutions or features you've considered.</p> <p dir="auto"><strong>Additional context</strong><br> Add any other context or screenshots about the feature request here.</p> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/82137779/145382509-c4560d4b-faa8-4541-bfc5-73048e0416e1.png"><img width="956" alt="Screenshot 2021-12-09 114113" src="https://user-images.githubusercontent.com/82137779/145382509-c4560d4b-faa8-4541-bfc5-73048e0416e1.png" style="max-width: 100%;"></a></p> <p dir="auto">I have been trying to create a new chart in superset the duplicates are not restricting. when I create it shows<br> the error message and after the page will be reloaded the duplicate name is created.</p> <p dir="auto">please solve this issue..!</p>
<h4 dir="auto">How to reproduce the bug</h4> <p dir="auto">I am trying to deploy to Kubernetes by Helm based on <a href="https://superset.apache.org/docs/installation/running-on-kubernetes" rel="nofollow">https://superset.apache.org/docs/installation/running-on-kubernetes</a></p> <p dir="auto">by running</p> <div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="helm repo add superset https://apache.github.io/superset helm upgrade --install --values values.yaml superset superset/superset"><pre class="notranslate">helm repo add superset https://apache.github.io/superset helm upgrade --install --values values.yaml superset superset/superset</pre></div> <p dir="auto">The values.yaml file I am using is <a href="https://github.com/apache/superset/blob/master/helm/superset/values.yaml">https://github.com/apache/superset/blob/master/helm/superset/values.yaml</a><br> I didn't change any value.</p> <h3 dir="auto">Expected results</h3> <p dir="auto">I expect it deploy successfully.</p> <h3 dir="auto">Actual results</h3> <p dir="auto">I got error</p> <div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="sqlalchemy.exc.ProgrammingError: (psycopg2.errors.UndefinedTable) relation &quot;ab_permission_view_role&quot; does not exist LINE 2: FROM ab_role LEFT OUTER JOIN (ab_permission_view_role AS ab_... ^ [SQL: SELECT ab_role.id AS ab_role_id, ab_role.name AS ab_role_name, ab_permission_view_1.id AS ab_permission_view_1_id, ab_permission_view_1.permission_id AS ab_permission_view_1_permission_id, ab_permission_view_1.view_menu_id AS ab_permission_view_1_view_menu_id FROM ab_role LEFT OUTER JOIN (ab_permission_view_role AS ab_permission_view_role_1 JOIN ab_permission_view AS ab_permission_view_1 ON ab_permission_view_1.id = ab_permission_view_role_1.permission_view_id) ON ab_role.id = ab_permission_view_role_1.role_id] (Background on this error at: http://sqlalche.me/e/13/f405)"><pre class="notranslate">sqlalchemy.exc.ProgrammingError: (psycopg2.errors.UndefinedTable) relation <span class="pl-s"><span class="pl-pds">"</span>ab_permission_view_role<span class="pl-pds">"</span></span> does not exist LINE 2: FROM ab_role LEFT OUTER JOIN (ab_permission_view_role AS ab_... ^ [SQL: SELECT ab_role.id AS ab_role_id, ab_role.name AS ab_role_name, ab_permission_view_1.id AS ab_permission_view_1_id, ab_permission_view_1.permission_id AS ab_permission_view_1_permission_id, ab_permission_view_1.view_menu_id AS ab_permission_view_1_view_menu_id FROM ab_role LEFT OUTER JOIN (ab_permission_view_role AS ab_permission_view_role_1 JOIN ab_permission_view AS ab_permission_view_1 ON ab_permission_view_1.id = ab_permission_view_role_1.permission_view_id) ON ab_role.id <span class="pl-k">=</span> ab_permission_view_role_1.role_id] (Background on this error at: http://sqlalche.me/e/13/f405)</pre></div> <details> <summary>Full log for `superset-init-db--1-xxx` (click to expand)</summary> <div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="Requirement already satisfied: psycopg2-binary==2.9.1 in /usr/local/lib/python3.8/site-packages (2.9.1) Requirement already satisfied: redis==3.5.3 in /usr/local/lib/python3.8/site-packages (3.5.3) WARNING: Running pip as the 'root' user can result in broken permissions and conflicting behaviour with the system package manager. It is recommended to use a virtual environment instead: https://pip.pypa.io/warnings/venv WARNING: You are using pip version 21.2.4; however, version 22.0.4 is available. You should consider upgrading via the '/usr/local/bin/python -m pip install --upgrade pip' command. Upgrading DB schema... logging was configured successfully 2022-04-16 03:29:27,934:INFO:superset.utils.logging_configurator:logging was configured successfully 2022-04-16 03:29:27,940:INFO:root:Configured event logger of type &lt;class 'superset.utils.log.DBEventLogger'&gt; 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-04-16 03:29:27,945: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-04-16 03:29:27,954: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 INFO [alembic.runtime.migration] Context impl PostgresqlImpl. INFO [alembic.runtime.migration] Will assume transactional DDL. INFO [alembic.runtime.migration] Running upgrade -&gt; 4e6a06bad7a8, Init INFO [alembic.runtime.migration] Running upgrade 4e6a06bad7a8 -&gt; 5a7bad26f2a7, empty message INFO [alembic.runtime.migration] Running upgrade 5a7bad26f2a7 -&gt; 1e2841a4128, empty message INFO [alembic.runtime.migration] Running upgrade 1e2841a4128 -&gt; 2929af7925ed, TZ offsets in data sources INFO [alembic.runtime.migration] Running upgrade 2929af7925ed -&gt; 289ce07647b, Add encrypted password field INFO [alembic.runtime.migration] Running upgrade 289ce07647b -&gt; 1a48a5411020, adding slug to dash INFO [alembic.runtime.migration] Running upgrade 1a48a5411020 -&gt; 315b3f4da9b0, adding log model INFO [alembic.runtime.migration] Running upgrade 315b3f4da9b0 -&gt; 55179c7f25c7, sqla_descr INFO [alembic.runtime.migration] Running upgrade 55179c7f25c7 -&gt; 12d55656cbca, is_featured INFO [alembic.runtime.migration] Running upgrade 12d55656cbca -&gt; 2591d77e9831, user_id INFO [alembic.runtime.migration] Running upgrade 2591d77e9831 -&gt; 8e80a26a31db, empty message INFO [alembic.runtime.migration] Running upgrade 8e80a26a31db -&gt; 7dbf98566af7, empty message INFO [alembic.runtime.migration] Running upgrade 7dbf98566af7 -&gt; 43df8de3a5f4, empty message INFO [alembic.runtime.migration] Running upgrade 43df8de3a5f4 -&gt; d827694c7555, css templates INFO [alembic.runtime.migration] Running upgrade d827694c7555 -&gt; 430039611635, log more INFO [alembic.runtime.migration] Running upgrade 430039611635 -&gt; 18e88e1cc004, making audit nullable INFO [alembic.runtime.migration] Running upgrade 18e88e1cc004 -&gt; 836c0bf75904, cache_timeouts INFO [alembic.runtime.migration] Running upgrade 18e88e1cc004 -&gt; a2d606a761d9, adding favstar model INFO [alembic.runtime.migration] Running upgrade a2d606a761d9, 836c0bf75904 -&gt; d2424a248d63, empty message INFO [alembic.runtime.migration] Running upgrade d2424a248d63 -&gt; 763d4b211ec9, fixing audit fk INFO [alembic.runtime.migration] Running upgrade d2424a248d63 -&gt; 1d2ddd543133, log dt INFO [alembic.runtime.migration] Running upgrade 1d2ddd543133, 763d4b211ec9 -&gt; fee7b758c130, empty message INFO [alembic.runtime.migration] Running upgrade fee7b758c130 -&gt; 867bf4f117f9, Adding extra field to Database model INFO [alembic.runtime.migration] Running upgrade 867bf4f117f9 -&gt; bb51420eaf83, add schema to table model INFO [alembic.runtime.migration] Running upgrade bb51420eaf83 -&gt; b4456560d4f3, change_table_unique_constraint INFO [alembic.runtime.migration] Running upgrade b4456560d4f3 -&gt; 4fa88fe24e94, owners_many_to_many INFO [alembic.runtime.migration] Running upgrade 4fa88fe24e94 -&gt; c3a8f8611885, Materializing permission INFO [alembic.runtime.migration] Running upgrade c3a8f8611885 -&gt; f0fbf6129e13, Adding verbose_name to tablecolumn INFO [alembic.runtime.migration] Running upgrade f0fbf6129e13 -&gt; 956a063c52b3, adjusting key length INFO [alembic.runtime.migration] Running upgrade 956a063c52b3 -&gt; 1226819ee0e3, Fix wrong constraint on table columns INFO [alembic.runtime.migration] Running upgrade 1226819ee0e3 -&gt; d8bc074f7aad, Add new field 'is_restricted' to SqlMetric and DruidMetric INFO [alembic.runtime.migration] Running upgrade d8bc074f7aad -&gt; 27ae655e4247, Make creator owners INFO [alembic.runtime.migration] Running upgrade 27ae655e4247 -&gt; 960c69cb1f5b, add dttm_format related fields in table_columns INFO [alembic.runtime.migration] Running upgrade 960c69cb1f5b -&gt; f162a1dea4c4, d3format_by_metric INFO [alembic.runtime.migration] Running upgrade f162a1dea4c4 -&gt; ad82a75afd82, Update models to support storing the queries. INFO [alembic.runtime.migration] Running upgrade ad82a75afd82 -&gt; 3c3ffe173e4f, add_sql_string_to_table INFO [alembic.runtime.migration] Running upgrade 3c3ffe173e4f -&gt; 41f6a59a61f2, database options for sql lab INFO [alembic.runtime.migration] Running upgrade 41f6a59a61f2 -&gt; 4500485bde7d, allow_run_sync_async INFO [alembic.runtime.migration] Running upgrade 4500485bde7d -&gt; 65903709c321, allow_dml INFO [alembic.runtime.migration] Running upgrade 41f6a59a61f2 -&gt; 33d996bcc382, update slice model INFO [alembic.runtime.migration] Running upgrade 33d996bcc382, 65903709c321 -&gt; b347b202819b, empty message INFO [alembic.runtime.migration] Running upgrade b347b202819b -&gt; 5e4a03ef0bf0, Add access_request table to manage requests to access datastores. INFO [alembic.runtime.migration] Running upgrade 5e4a03ef0bf0 -&gt; eca4694defa7, sqllab_setting_defaults INFO [alembic.runtime.migration] Running upgrade eca4694defa7 -&gt; ab3d66c4246e, add_cache_timeout_to_druid_cluster INFO [alembic.runtime.migration] Running upgrade eca4694defa7 -&gt; 3b626e2a6783, Sync DB with the models.py. INFO [alembic.runtime.migration] Running upgrade 3b626e2a6783, ab3d66c4246e -&gt; ef8843b41dac, empty message INFO [alembic.runtime.migration] Running upgrade ef8843b41dac -&gt; b46fa1b0b39e, Add json_metadata to the tables table. INFO [alembic.runtime.migration] Running upgrade b46fa1b0b39e -&gt; 7e3ddad2a00b, results_key to query INFO [alembic.runtime.migration] Running upgrade 7e3ddad2a00b -&gt; ad4d656d92bc, Add avg() to default metrics INFO [alembic.runtime.migration] Running upgrade ad4d656d92bc -&gt; c611f2b591b8, dim_spec INFO [alembic.runtime.migration] Running upgrade c611f2b591b8 -&gt; e46f2d27a08e, materialize perms INFO [alembic.runtime.migration] Running upgrade e46f2d27a08e -&gt; f1f2d4af5b90, Enable Filter Select INFO [alembic.runtime.migration] Running upgrade e46f2d27a08e -&gt; 525c854f0005, log_this_plus INFO [alembic.runtime.migration] Running upgrade 525c854f0005, f1f2d4af5b90 -&gt; 6414e83d82b7, empty message INFO [alembic.runtime.migration] Running upgrade 6414e83d82b7 -&gt; 1296d28ec131, Adds params to the datasource (druid) table INFO [alembic.runtime.migration] Running upgrade 1296d28ec131 -&gt; f18570e03440, Add index on the result key to the query table. INFO [alembic.runtime.migration] Running upgrade f18570e03440 -&gt; bcf3126872fc, Add keyvalue table INFO [alembic.runtime.migration] Running upgrade f18570e03440 -&gt; db0c65b146bd, update_slice_model_json INFO [alembic.runtime.migration] Running upgrade db0c65b146bd -&gt; a99f2f7c195a, rewriting url from shortner with new format INFO [alembic.runtime.migration] Running upgrade a99f2f7c195a, bcf3126872fc -&gt; d6db5a5cdb5d, empty message INFO [alembic.runtime.migration] Running upgrade d6db5a5cdb5d -&gt; b318dfe5fb6c, adding verbose_name to druid column INFO [alembic.runtime.migration] Running upgrade d6db5a5cdb5d -&gt; 732f1c06bcbf, add fetch values predicate INFO [alembic.runtime.migration] Running upgrade 732f1c06bcbf, b318dfe5fb6c -&gt; ea033256294a, empty message INFO [alembic.runtime.migration] Running upgrade b318dfe5fb6c -&gt; db527d8c4c78, Add verbose name to DruidCluster and Database INFO [alembic.runtime.migration] Running upgrade db527d8c4c78, ea033256294a -&gt; 979c03af3341, empty message INFO [alembic.runtime.migration] Running upgrade 979c03af3341 -&gt; a6c18f869a4e, query.start_running_time INFO [alembic.runtime.migration] Running upgrade a6c18f869a4e -&gt; 2fcdcb35e487, saved_queries INFO [alembic.runtime.migration] Running upgrade 2fcdcb35e487 -&gt; a65458420354, add_result_backend_time_logging INFO [alembic.runtime.migration] Running upgrade a65458420354 -&gt; ca69c70ec99b, tracking_url INFO [alembic.runtime.migration] Running upgrade ca69c70ec99b -&gt; a9c47e2c1547, add impersonate_user to dbs INFO [alembic.runtime.migration] Running upgrade ca69c70ec99b -&gt; ddd6ebdd853b, annotations INFO [alembic.runtime.migration] Running upgrade a9c47e2c1547, ddd6ebdd853b -&gt; d39b1e37131d, empty message INFO [alembic.runtime.migration] Running upgrade ca69c70ec99b -&gt; 19a814813610, Adding metric warning_text INFO [alembic.runtime.migration] Running upgrade 19a814813610, a9c47e2c1547 -&gt; 472d2f73dfd4, empty message INFO [alembic.runtime.migration] Running upgrade 472d2f73dfd4, d39b1e37131d -&gt; f959a6652acd, empty message INFO [alembic.runtime.migration] Running upgrade f959a6652acd -&gt; 4736ec66ce19, empty message INFO [alembic.runtime.migration] Running upgrade 4736ec66ce19 -&gt; 67a6ac9b727b, update_spatial_params INFO [alembic.runtime.migration] Running upgrade 67a6ac9b727b -&gt; 21e88bc06c02, migrate_old_annotation_layers INFO [alembic.runtime.migration] Running upgrade 21e88bc06c02 -&gt; e866bd2d4976, smaller_grid INFO [alembic.runtime.migration] Running upgrade e866bd2d4976 -&gt; e68c4473c581, allow_multi_schema_metadata_fetch INFO [alembic.runtime.migration] Running upgrade e68c4473c581 -&gt; f231d82b9b26, empty message INFO [alembic.runtime.migration] Running upgrade f231d82b9b26 -&gt; bf706ae5eb46, cal_heatmap_metric_to_metrics INFO [alembic.runtime.migration] Running upgrade f231d82b9b26 -&gt; 30bb17c0dc76, empty message INFO [alembic.runtime.migration] Running upgrade 30bb17c0dc76, bf706ae5eb46 -&gt; c9495751e314, empty message INFO [alembic.runtime.migration] Running upgrade f231d82b9b26 -&gt; 130915240929, is_sqllab_view INFO [alembic.runtime.migration] Running upgrade 130915240929, c9495751e314 -&gt; 5ccf602336a0, empty message INFO [alembic.runtime.migration] Running upgrade 5ccf602336a0 -&gt; e502db2af7be, add template_params to tables INFO [alembic.runtime.migration] Running upgrade e502db2af7be -&gt; c5756bec8b47, Time grain SQLA INFO [alembic.runtime.migration] Running upgrade c5756bec8b47 -&gt; afb7730f6a9c, remove empty filters INFO [alembic.runtime.migration] Running upgrade afb7730f6a9c -&gt; 80a67c5192fa, single pie chart metric INFO [alembic.runtime.migration] Running upgrade 80a67c5192fa -&gt; bddc498dd179, adhoc filters INFO [alembic.runtime.migration] Running upgrade bddc498dd179 -&gt; 4451805bbaa1, remove double percents INFO [alembic.runtime.migration] Running upgrade bddc498dd179 -&gt; 3dda56f1c4c6, Migrate num_period_compare and period_ratio_type INFO [alembic.runtime.migration] Running upgrade 3dda56f1c4c6 -&gt; 1d9e835a84f9, empty message INFO [alembic.runtime.migration] Running upgrade 4451805bbaa1, 1d9e835a84f9 -&gt; e3970889f38e, empty message INFO [alembic.runtime.migration] Running upgrade 4451805bbaa1, 1d9e835a84f9 -&gt; 705732c70154, empty message INFO [alembic.runtime.migration] Running upgrade 4451805bbaa1, 1d9e835a84f9 -&gt; fc480c87706c, empty message INFO [alembic.runtime.migration] Running upgrade fc480c87706c -&gt; bebcf3fed1fe, Migrate dashboard position_json data from V1 to V2 INFO [alembic.runtime.migration] Running upgrade bebcf3fed1fe, 705732c70154 -&gt; ec1f88a35cc6, empty message INFO [alembic.runtime.migration] Running upgrade 705732c70154, e3970889f38e -&gt; 46ba6aaaac97, empty message INFO [alembic.runtime.migration] Running upgrade 46ba6aaaac97, ec1f88a35cc6 -&gt; c18bd4186f15, empty message INFO [alembic.runtime.migration] Running upgrade c18bd4186f15 -&gt; 7fcdcde0761c, Reduce position_json size by remove extra space and component id prefix INFO [alembic.runtime.migration] Running upgrade 7fcdcde0761c -&gt; 0c5070e96b57, add user attributes table INFO [alembic.runtime.migration] Running upgrade 0c5070e96b57 -&gt; 1a1d627ebd8e, position_json INFO [alembic.runtime.migration] Running upgrade 1a1d627ebd8e -&gt; 55e910a74826, add_metadata_column_to_annotation_model.py INFO [alembic.runtime.migration] Running upgrade 55e910a74826 -&gt; 4ce8df208545, empty message INFO [alembic.runtime.migration] Running upgrade 4ce8df208545 -&gt; 46f444d8b9b7, remove_coordinator_from_druid_cluster_model.py INFO [alembic.runtime.migration] Running upgrade 46f444d8b9b7 -&gt; a61b40f9f57f, remove allow_run_sync INFO [alembic.runtime.migration] Running upgrade a61b40f9f57f -&gt; 6c7537a6004a, models for email reports INFO [alembic.runtime.migration] Running upgrade 6c7537a6004a -&gt; 3e1b21cd94a4, change_owner_to_m2m_relation_on_datasources.py INFO [alembic.runtime.migration] Running upgrade 6c7537a6004a -&gt; cefabc8f7d38, Increase size of name column in ab_view_menu INFO [alembic.runtime.migration] Running upgrade 55e910a74826 -&gt; 0b1f1ab473c0, Add extra column to Query INFO [alembic.runtime.migration] Running upgrade 0b1f1ab473c0, cefabc8f7d38, 3e1b21cd94a4 -&gt; de021a1ca60d, empty message INFO [alembic.runtime.migration] Running upgrade de021a1ca60d -&gt; fb13d49b72f9, better_filters INFO [alembic.runtime.migration] Running upgrade fb13d49b72f9 -&gt; a33a03f16c4a, Add extra column to SavedQuery INFO [alembic.runtime.migration] Running upgrade 4451805bbaa1, 1d9e835a84f9 -&gt; c829ff0b37d0, empty message INFO [alembic.runtime.migration] Running upgrade c829ff0b37d0 -&gt; 7467e77870e4, remove_aggs INFO [alembic.runtime.migration] Running upgrade 7467e77870e4, de021a1ca60d -&gt; fbd55e0f83eb, empty message INFO [alembic.runtime.migration] Running upgrade fbd55e0f83eb, fb13d49b72f9 -&gt; 8b70aa3d0f87, empty message INFO [alembic.runtime.migration] Running upgrade 8b70aa3d0f87, a33a03f16c4a -&gt; 18dc26817ad2, empty message INFO [alembic.runtime.migration] Running upgrade 18dc26817ad2 -&gt; c617da68de7d, form nullable INFO [alembic.runtime.migration] Running upgrade c617da68de7d -&gt; c82ee8a39623, Add implicit tags INFO [alembic.runtime.migration] Running upgrade 18dc26817ad2 -&gt; e553e78e90c5, add_druid_auth_py.py INFO [alembic.runtime.migration] Running upgrade e553e78e90c5, c82ee8a39623 -&gt; 45e7da7cfeba, empty message INFO [alembic.runtime.migration] Running upgrade 45e7da7cfeba -&gt; 80aa3f04bc82, Add Parent ids in dashboard layout metadata INFO [alembic.runtime.migration] Running upgrade 80aa3f04bc82 -&gt; d94d33dbe938, form strip INFO [alembic.runtime.migration] Running upgrade d94d33dbe938 -&gt; 937d04c16b64, update datasources INFO [alembic.runtime.migration] Running upgrade 937d04c16b64 -&gt; 7f2635b51f5d, update base columns INFO [alembic.runtime.migration] Running upgrade 7f2635b51f5d -&gt; e9df189e5c7e, update base metrics INFO [alembic.runtime.migration] Running upgrade e9df189e5c7e -&gt; afc69274c25a, update the sql, select_sql, and executed_sql columns in the query table in mysql dbs to be long text columns INFO [alembic.runtime.migration] Running upgrade afc69274c25a -&gt; d7c1a0d6f2da, Remove limit used from query model INFO [alembic.runtime.migration] Running upgrade d7c1a0d6f2da -&gt; ab8c66efdd01, resample INFO [alembic.runtime.migration] Running upgrade ab8c66efdd01 -&gt; b4a38aa87893, deprecate database expression INFO [alembic.runtime.migration] Running upgrade b4a38aa87893 -&gt; d6ffdf31bdd4, Add published column to dashboards INFO [alembic.runtime.migration] Running upgrade d6ffdf31bdd4 -&gt; 190188938582, Remove duplicated entries in dashboard_slices table and add unique constraint INFO [alembic.runtime.migration] Running upgrade 190188938582 -&gt; def97f26fdfb, Add index to tagged_object INFO [alembic.runtime.migration] Running upgrade def97f26fdfb -&gt; 11c737c17cc6, deprecate_restricted_metrics INFO [alembic.runtime.migration] Running upgrade 11c737c17cc6 -&gt; 258b5280a45e, form strip leading and trailing whitespace INFO [alembic.runtime.migration] Running upgrade 258b5280a45e -&gt; 1495eb914ad3, time range INFO [alembic.runtime.migration] Running upgrade 1495eb914ad3 -&gt; b6fa807eac07, make_names_non_nullable INFO [alembic.runtime.migration] Running upgrade b6fa807eac07 -&gt; cca2f5d568c8, add encrypted_extra to dbs INFO [alembic.runtime.migration] Running upgrade cca2f5d568c8 -&gt; c2acd2cf3df2, alter type of dbs encrypted_extra INFO [alembic.runtime.migration] Running upgrade c2acd2cf3df2 -&gt; 78ee127d0d1d, reconvert legacy filters into adhoc INFO [alembic.runtime.migration] Running upgrade 78ee127d0d1d -&gt; db4b49eb0782, Add tables for SQL Lab state INFO [alembic.runtime.migration] Running upgrade db4b49eb0782 -&gt; 5afa9079866a, serialize_schema_permissions.py INFO [alembic.runtime.migration] Running upgrade 5afa9079866a -&gt; 89115a40e8ea, Change table schema description to long text INFO [alembic.runtime.migration] Running upgrade 89115a40e8ea -&gt; 817e1c9b09d0, add_not_null_to_dbs_sqlalchemy_url INFO [alembic.runtime.migration] Running upgrade 817e1c9b09d0 -&gt; e96dbf2cfef0, datasource_cluster_fk INFO [alembic.runtime.migration] Running upgrade e96dbf2cfef0 -&gt; 3325d4caccc8, empty message INFO [alembic.runtime.migration] Running upgrade 3325d4caccc8 -&gt; 0a6f12f60c73, add_role_level_security INFO [alembic.runtime.migration] Running upgrade 0a6f12f60c73 -&gt; 72428d1ea401, Add tmp_schema_name to the query object. INFO [alembic.runtime.migration] Running upgrade 72428d1ea401 -&gt; b5998378c225, add certificate to dbs INFO [alembic.runtime.migration] Running upgrade b5998378c225 -&gt; f9a30386bd74, cleanup_time_grainularity INFO [alembic.runtime.migration] Running upgrade f9a30386bd74 -&gt; 620241d1153f, update time_grain_sqla INFO [alembic.runtime.migration] Running upgrade 620241d1153f -&gt; 743a117f0d98, Add slack to the schedule INFO [alembic.runtime.migration] Running upgrade 743a117f0d98 -&gt; e557699a813e, add_tables_relation_to_row_level_security INFO [alembic.runtime.migration] Running upgrade e557699a813e -&gt; ea396d202291, Add ctas_method to the Query object INFO [alembic.runtime.migration] Running upgrade ea396d202291 -&gt; a72cb0ebeb22, deprecate dbs.perm column INFO [alembic.runtime.migration] Running upgrade a72cb0ebeb22 -&gt; 2f1d15e8a6af, add_alerts INFO [alembic.runtime.migration] Running upgrade 2f1d15e8a6af -&gt; f2672aa8350a, add_slack_to_alerts INFO [alembic.runtime.migration] Running upgrade f2672aa8350a -&gt; f120347acb39, Add extra column to tables and metrics INFO [alembic.runtime.migration] Running upgrade f2672aa8350a -&gt; 978245563a02, Migrate iframe in dashboard to markdown component INFO [alembic.runtime.migration] Running upgrade 978245563a02, f120347acb39 -&gt; f80a3b88324b, empty message INFO [alembic.runtime.migration] Running upgrade f80a3b88324b -&gt; 2e5a0ee25ed4, refractor_alerting INFO [alembic.runtime.migration] Running upgrade f80a3b88324b -&gt; 175ea3592453, Add cache to datasource lookup table. INFO [alembic.runtime.migration] Running upgrade 175ea3592453, 2e5a0ee25ed4 -&gt; ae19b4ee3692, empty message INFO [alembic.runtime.migration] Running upgrade ae19b4ee3692 -&gt; e5ef6828ac4e, add rls filter type and grouping key INFO [alembic.runtime.migration] Running upgrade e5ef6828ac4e -&gt; 3fbbc6e8d654, fix data access permissions for virtual datasets INFO [alembic.runtime.migration] Running upgrade 3fbbc6e8d654 -&gt; 18532d70ab98, Delete table_name unique constraint in mysql INFO [alembic.runtime.migration] Running upgrade 18532d70ab98 -&gt; b56500de1855, add_uuid_column_to_import_mixin INFO [alembic.runtime.migration] Running upgrade b56500de1855 -&gt; af30ca79208f, Collapse alerting models into a single one INFO [alembic.runtime.migration] Running upgrade af30ca79208f -&gt; 585b0b1a7b18, add exec info to saved queries INFO [alembic.runtime.migration] Running upgrade 585b0b1a7b18 -&gt; 96e99fb176a0, add_import_mixing_to_saved_query INFO [alembic.runtime.migration] Running upgrade 96e99fb176a0 -&gt; 49b5a32daba5, add report schedules INFO [alembic.runtime.migration] Running upgrade 49b5a32daba5 -&gt; a8173232b786, Add path to logs INFO [alembic.runtime.migration] Running upgrade a8173232b786 -&gt; e38177dbf641, security converge saved queries Loaded your LOCAL configuration at [/app/pythonpath/superset_config.py] Cleaning up slice uuid from dashboard position json.. Cleaning up slice uuid from dashboard position json.. Done. Traceback (most recent call last): File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py&quot;, line 1276, in _execute_context self.dialect.do_execute( File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/default.py&quot;, line 608, in do_execute cursor.execute(statement, parameters) psycopg2.errors.UndefinedTable: relation &quot;ab_permission_view_role&quot; does not exist LINE 2: FROM ab_role LEFT OUTER JOIN (ab_permission_view_role AS ab_... ^ The above exception was the direct cause of the following exception: Traceback (most recent call last): File &quot;/usr/local/bin/superset&quot;, line 33, in &lt;module&gt; sys.exit(load_entry_point('apache-superset', 'console_scripts', 'superset')()) File &quot;/usr/local/lib/python3.8/site-packages/click/core.py&quot;, line 1128, in __call__ return self.main(*args, **kwargs) File &quot;/usr/local/lib/python3.8/site-packages/flask/cli.py&quot;, line 601, in main return super().main(*args, **kwargs) File &quot;/usr/local/lib/python3.8/site-packages/click/core.py&quot;, line 1053, in main rv = self.invoke(ctx) File &quot;/usr/local/lib/python3.8/site-packages/click/core.py&quot;, line 1659, in invoke return _process_result(sub_ctx.command.invoke(sub_ctx)) File &quot;/usr/local/lib/python3.8/site-packages/click/core.py&quot;, line 1659, in invoke return _process_result(sub_ctx.command.invoke(sub_ctx)) File &quot;/usr/local/lib/python3.8/site-packages/click/core.py&quot;, line 1395, in invoke return ctx.invoke(self.callback, **ctx.params) File &quot;/usr/local/lib/python3.8/site-packages/click/core.py&quot;, line 754, in invoke return __callback(*args, **kwargs) File &quot;/usr/local/lib/python3.8/site-packages/click/decorators.py&quot;, line 26, in new_func return f(get_current_context(), *args, **kwargs) File &quot;/usr/local/lib/python3.8/site-packages/flask/cli.py&quot;, line 445, in decorator return __ctx.invoke(f, *args, **kwargs) File &quot;/usr/local/lib/python3.8/site-packages/click/core.py&quot;, line 754, in invoke return __callback(*args, **kwargs) File &quot;/usr/local/lib/python3.8/site-packages/flask_migrate/cli.py&quot;, line 149, in upgrade _upgrade(directory, revision, sql, tag, x_arg) File &quot;/usr/local/lib/python3.8/site-packages/flask_migrate/__init__.py&quot;, line 98, in wrapped f(*args, **kwargs) File &quot;/usr/local/lib/python3.8/site-packages/flask_migrate/__init__.py&quot;, line 185, in upgrade command.upgrade(config, revision, sql=sql, tag=tag) File &quot;/usr/local/lib/python3.8/site-packages/alembic/command.py&quot;, line 294, in upgrade script.run_env() File &quot;/usr/local/lib/python3.8/site-packages/alembic/script/base.py&quot;, line 490, in run_env util.load_python_file(self.dir, &quot;env.py&quot;) File &quot;/usr/local/lib/python3.8/site-packages/alembic/util/pyfiles.py&quot;, line 97, in load_python_file module = load_module_py(module_id, path) File &quot;/usr/local/lib/python3.8/site-packages/alembic/util/compat.py&quot;, line 184, in load_module_py spec.loader.exec_module(module) File &quot;&lt;frozen importlib._bootstrap_external&gt;&quot;, line 843, in exec_module File &quot;&lt;frozen importlib._bootstrap&gt;&quot;, line 219, in _call_with_frames_removed File &quot;/app/superset/extensions/../migrations/env.py&quot;, line 126, in &lt;module&gt; run_migrations_online() File &quot;/app/superset/extensions/../migrations/env.py&quot;, line 118, in run_migrations_online context.run_migrations() File &quot;&lt;string&gt;&quot;, line 8, in run_migrations File &quot;/usr/local/lib/python3.8/site-packages/alembic/runtime/environment.py&quot;, line 813, in run_migrations self.get_context().run_migrations(**kw) File &quot;/usr/local/lib/python3.8/site-packages/alembic/runtime/migration.py&quot;, line 561, in run_migrations step.migration_fn(**kw) File &quot;/app/superset/migrations/versions/e38177dbf641_security_converge_saved_queries.py&quot;, line 100, in upgrade migrate_roles(session, PVM_MAP) File &quot;/app/superset/migrations/shared/security_converge.py&quot;, line 237, in migrate_roles roles = session.query(Role).options(Load(Role).joinedload(Role.permissions)).all() File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/orm/query.py&quot;, line 3373, in all return list(self) File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/orm/query.py&quot;, line 3535, in __iter__ return self._execute_and_instances(context) File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/orm/query.py&quot;, line 3560, in _execute_and_instances result = conn.execute(querycontext.statement, self._params) File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py&quot;, line 1011, in execute return meth(self, multiparams, params) File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/sql/elements.py&quot;, line 298, in _execute_on_connection return connection._execute_clauseelement(self, multiparams, params) File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py&quot;, line 1124, in _execute_clauseelement ret = self._execute_context( File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py&quot;, line 1316, in _execute_context self._handle_dbapi_exception( File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py&quot;, line 1510, in _handle_dbapi_exception util.raise_( File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/util/compat.py&quot;, line 182, in raise_ raise exception File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py&quot;, line 1276, in _execute_context self.dialect.do_execute( File &quot;/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/default.py&quot;, line 608, in do_execute cursor.execute(statement, parameters) sqlalchemy.exc.ProgrammingError: (psycopg2.errors.UndefinedTable) relation &quot;ab_permission_view_role&quot; does not exist LINE 2: FROM ab_role LEFT OUTER JOIN (ab_permission_view_role AS ab_... ^ [SQL: SELECT ab_role.id AS ab_role_id, ab_role.name AS ab_role_name, ab_permission_view_1.id AS ab_permission_view_1_id, ab_permission_view_1.permission_id AS ab_permission_view_1_permission_id, ab_permission_view_1.view_menu_id AS ab_permission_view_1_view_menu_id FROM ab_role LEFT OUTER JOIN (ab_permission_view_role AS ab_permission_view_role_1 JOIN ab_permission_view AS ab_permission_view_1 ON ab_permission_view_1.id = ab_permission_view_role_1.permission_view_id) ON ab_role.id = ab_permission_view_role_1.role_id] (Background on this error at: http://sqlalche.me/e/13/f405)"><pre class="notranslate">Requirement already satisfied: psycopg2-binary==2.9.1 <span class="pl-k">in</span> /usr/local/lib/python3.8/site-packages (2.9.1) Requirement already satisfied: redis==3.5.3 <span class="pl-k">in</span> /usr/local/lib/python3.8/site-packages (3.5.3) WARNING: Running pip as the <span class="pl-s"><span class="pl-pds">'</span>root<span class="pl-pds">'</span></span> user can result <span class="pl-k">in</span> broken permissions and conflicting behaviour with the system package manager. It is recommended to use a virtual environment instead: https://pip.pypa.io/warnings/venv WARNING: You are using pip version 21.2.4<span class="pl-k">;</span> however, version 22.0.4 is available. You should consider upgrading via the <span class="pl-s"><span class="pl-pds">'</span>/usr/local/bin/python -m pip install --upgrade pip<span class="pl-pds">'</span></span> command. Upgrading DB schema... logging was configured successfully 2022-04-16 03:29:27,934:INFO:superset.utils.logging_configurator:logging was configured successfully 2022-04-16 03:29:27,940:INFO:root:Configured event logger of <span class="pl-c1">type</span> <span class="pl-k">&lt;</span>class <span class="pl-s"><span class="pl-pds">'</span>superset.utils.log.DBEventLogger<span class="pl-pds">'</span></span><span class="pl-k">&gt;</span> Falling back to the built-in cache, that stores data <span class="pl-k">in</span> the metadata database, <span class="pl-k">for</span> the following cache: <span class="pl-s"><span class="pl-pds">`</span>FILTER_STATE_CACHE_CONFIG<span class="pl-pds">`</span></span>. It is recommended to use <span class="pl-s"><span class="pl-pds">`</span>RedisCache<span class="pl-pds">`</span></span>, <span class="pl-s"><span class="pl-pds">`</span>MemcachedCache<span class="pl-pds">`</span></span> or another dedicated caching backend <span class="pl-k">for</span> production deployments 2022-04-16 03:29:27,945:WARNING:superset.utils.cache_manager:Falling back to the built-in cache, that stores data <span class="pl-k">in</span> the metadata database, <span class="pl-k">for</span> the following cache: <span class="pl-s"><span class="pl-pds">`</span>FILTER_STATE_CACHE_CONFIG<span class="pl-pds">`</span></span>. It is recommended to use <span class="pl-s"><span class="pl-pds">`</span>RedisCache<span class="pl-pds">`</span></span>, <span class="pl-s"><span class="pl-pds">`</span>MemcachedCache<span class="pl-pds">`</span></span> or another dedicated caching backend <span class="pl-k">for</span> production deployments Falling back to the built-in cache, that stores data <span class="pl-k">in</span> the metadata database, <span class="pl-k">for</span> the following cache: <span class="pl-s"><span class="pl-pds">`</span>EXPLORE_FORM_DATA_CACHE_CONFIG<span class="pl-pds">`</span></span>. It is recommended to use <span class="pl-s"><span class="pl-pds">`</span>RedisCache<span class="pl-pds">`</span></span>, <span class="pl-s"><span class="pl-pds">`</span>MemcachedCache<span class="pl-pds">`</span></span> or another dedicated caching backend <span class="pl-k">for</span> production deployments 2022-04-16 03:29:27,954:WARNING:superset.utils.cache_manager:Falling back to the built-in cache, that stores data <span class="pl-k">in</span> the metadata database, <span class="pl-k">for</span> the following cache: <span class="pl-s"><span class="pl-pds">`</span>EXPLORE_FORM_DATA_CACHE_CONFIG<span class="pl-pds">`</span></span>. It is recommended to use <span class="pl-s"><span class="pl-pds">`</span>RedisCache<span class="pl-pds">`</span></span>, <span class="pl-s"><span class="pl-pds">`</span>MemcachedCache<span class="pl-pds">`</span></span> or another dedicated caching backend <span class="pl-k">for</span> production deployments INFO [alembic.runtime.migration] Context impl PostgresqlImpl. INFO [alembic.runtime.migration] Will assume transactional DDL. INFO [alembic.runtime.migration] Running upgrade -<span class="pl-k">&gt;</span> 4e6a06bad7a8, Init INFO [alembic.runtime.migration] Running upgrade 4e6a06bad7a8 -<span class="pl-k">&gt;</span> 5a7bad26f2a7, empty message INFO [alembic.runtime.migration] Running upgrade 5a7bad26f2a7 -<span class="pl-k">&gt;</span> 1e2841a4128, empty message INFO [alembic.runtime.migration] Running upgrade 1e2841a4128 -<span class="pl-k">&gt;</span> 2929af7925ed, TZ offsets <span class="pl-k">in</span> data sources INFO [alembic.runtime.migration] Running upgrade 2929af7925ed -<span class="pl-k">&gt;</span> 289ce07647b, Add encrypted password field INFO [alembic.runtime.migration] Running upgrade 289ce07647b -<span class="pl-k">&gt;</span> 1a48a5411020, adding slug to dash INFO [alembic.runtime.migration] Running upgrade 1a48a5411020 -<span class="pl-k">&gt;</span> 315b3f4da9b0, adding log model INFO [alembic.runtime.migration] Running upgrade 315b3f4da9b0 -<span class="pl-k">&gt;</span> 55179c7f25c7, sqla_descr INFO [alembic.runtime.migration] Running upgrade 55179c7f25c7 -<span class="pl-k">&gt;</span> 12d55656cbca, is_featured INFO [alembic.runtime.migration] Running upgrade 12d55656cbca -<span class="pl-k">&gt;</span> 2591d77e9831, user_id INFO [alembic.runtime.migration] Running upgrade 2591d77e9831 -<span class="pl-k">&gt;</span> 8e80a26a31db, empty message INFO [alembic.runtime.migration] Running upgrade 8e80a26a31db -<span class="pl-k">&gt;</span> 7dbf98566af7, empty message INFO [alembic.runtime.migration] Running upgrade 7dbf98566af7 -<span class="pl-k">&gt;</span> 43df8de3a5f4, empty message INFO [alembic.runtime.migration] Running upgrade 43df8de3a5f4 -<span class="pl-k">&gt;</span> d827694c7555, css templates INFO [alembic.runtime.migration] Running upgrade d827694c7555 -<span class="pl-k">&gt;</span> 430039611635, log more INFO [alembic.runtime.migration] Running upgrade 430039611635 -<span class="pl-k">&gt;</span> 18e88e1cc004, making audit nullable INFO [alembic.runtime.migration] Running upgrade 18e88e1cc004 -<span class="pl-k">&gt;</span> 836c0bf75904, cache_timeouts INFO [alembic.runtime.migration] Running upgrade 18e88e1cc004 -<span class="pl-k">&gt;</span> a2d606a761d9, adding favstar model INFO [alembic.runtime.migration] Running upgrade a2d606a761d9, 836c0bf75904 -<span class="pl-k">&gt;</span> d2424a248d63, empty message INFO [alembic.runtime.migration] Running upgrade d2424a248d63 -<span class="pl-k">&gt;</span> 763d4b211ec9, fixing audit fk INFO [alembic.runtime.migration] Running upgrade d2424a248d63 -<span class="pl-k">&gt;</span> 1d2ddd543133, log dt INFO [alembic.runtime.migration] Running upgrade 1d2ddd543133, 763d4b211ec9 -<span class="pl-k">&gt;</span> fee7b758c130, empty message INFO [alembic.runtime.migration] Running upgrade fee7b758c130 -<span class="pl-k">&gt;</span> 867bf4f117f9, Adding extra field to Database model INFO [alembic.runtime.migration] Running upgrade 867bf4f117f9 -<span class="pl-k">&gt;</span> bb51420eaf83, add schema to table model INFO [alembic.runtime.migration] Running upgrade bb51420eaf83 -<span class="pl-k">&gt;</span> b4456560d4f3, change_table_unique_constraint INFO [alembic.runtime.migration] Running upgrade b4456560d4f3 -<span class="pl-k">&gt;</span> 4fa88fe24e94, owners_many_to_many INFO [alembic.runtime.migration] Running upgrade 4fa88fe24e94 -<span class="pl-k">&gt;</span> c3a8f8611885, Materializing permission INFO [alembic.runtime.migration] Running upgrade c3a8f8611885 -<span class="pl-k">&gt;</span> f0fbf6129e13, Adding verbose_name to tablecolumn INFO [alembic.runtime.migration] Running upgrade f0fbf6129e13 -<span class="pl-k">&gt;</span> 956a063c52b3, adjusting key length INFO [alembic.runtime.migration] Running upgrade 956a063c52b3 -<span class="pl-k">&gt;</span> 1226819ee0e3, Fix wrong constraint on table columns INFO [alembic.runtime.migration] Running upgrade 1226819ee0e3 -<span class="pl-k">&gt;</span> d8bc074f7aad, Add new field <span class="pl-s"><span class="pl-pds">'</span>is_restricted<span class="pl-pds">'</span></span> to SqlMetric and DruidMetric INFO [alembic.runtime.migration] Running upgrade d8bc074f7aad -<span class="pl-k">&gt;</span> 27ae655e4247, Make creator owners INFO [alembic.runtime.migration] Running upgrade 27ae655e4247 -<span class="pl-k">&gt;</span> 960c69cb1f5b, add dttm_format related fields <span class="pl-k">in</span> table_columns INFO [alembic.runtime.migration] Running upgrade 960c69cb1f5b -<span class="pl-k">&gt;</span> f162a1dea4c4, d3format_by_metric INFO [alembic.runtime.migration] Running upgrade f162a1dea4c4 -<span class="pl-k">&gt;</span> ad82a75afd82, Update models to support storing the queries. INFO [alembic.runtime.migration] Running upgrade ad82a75afd82 -<span class="pl-k">&gt;</span> 3c3ffe173e4f, add_sql_string_to_table INFO [alembic.runtime.migration] Running upgrade 3c3ffe173e4f -<span class="pl-k">&gt;</span> 41f6a59a61f2, database options <span class="pl-k">for</span> sql lab INFO [alembic.runtime.migration] Running upgrade 41f6a59a61f2 -<span class="pl-k">&gt;</span> 4500485bde7d, allow_run_sync_async INFO [alembic.runtime.migration] Running upgrade 4500485bde7d -<span class="pl-k">&gt;</span> 65903709c321, allow_dml INFO [alembic.runtime.migration] Running upgrade 41f6a59a61f2 -<span class="pl-k">&gt;</span> 33d996bcc382, update slice model INFO [alembic.runtime.migration] Running upgrade 33d996bcc382, 65903709c321 -<span class="pl-k">&gt;</span> b347b202819b, empty message INFO [alembic.runtime.migration] Running upgrade b347b202819b -<span class="pl-k">&gt;</span> 5e4a03ef0bf0, Add access_request table to manage requests to access datastores. INFO [alembic.runtime.migration] Running upgrade 5e4a03ef0bf0 -<span class="pl-k">&gt;</span> eca4694defa7, sqllab_setting_defaults INFO [alembic.runtime.migration] Running upgrade eca4694defa7 -<span class="pl-k">&gt;</span> ab3d66c4246e, add_cache_timeout_to_druid_cluster INFO [alembic.runtime.migration] Running upgrade eca4694defa7 -<span class="pl-k">&gt;</span> 3b626e2a6783, Sync DB with the models.py. INFO [alembic.runtime.migration] Running upgrade 3b626e2a6783, ab3d66c4246e -<span class="pl-k">&gt;</span> ef8843b41dac, empty message INFO [alembic.runtime.migration] Running upgrade ef8843b41dac -<span class="pl-k">&gt;</span> b46fa1b0b39e, Add json_metadata to the tables table. INFO [alembic.runtime.migration] Running upgrade b46fa1b0b39e -<span class="pl-k">&gt;</span> 7e3ddad2a00b, results_key to query INFO [alembic.runtime.migration] Running upgrade 7e3ddad2a00b -<span class="pl-k">&gt;</span> ad4d656d92bc, Add <span class="pl-en">avg</span>() to default metrics INFO [alembic.runtime.migration] Running upgrade ad4d656d92bc -<span class="pl-k">&gt;</span> c611f2b591b8, dim_spec INFO [alembic.runtime.migration] Running upgrade c611f2b591b8 -<span class="pl-k">&gt;</span> e46f2d27a08e, materialize perms INFO [alembic.runtime.migration] Running upgrade e46f2d27a08e -<span class="pl-k">&gt;</span> f1f2d4af5b90, Enable Filter Select INFO [alembic.runtime.migration] Running upgrade e46f2d27a08e -<span class="pl-k">&gt;</span> 525c854f0005, log_this_plus INFO [alembic.runtime.migration] Running upgrade 525c854f0005, f1f2d4af5b90 -<span class="pl-k">&gt;</span> 6414e83d82b7, empty message INFO [alembic.runtime.migration] Running upgrade 6414e83d82b7 -<span class="pl-k">&gt;</span> 1296d28ec131, Adds params to the datasource (druid) table INFO [alembic.runtime.migration] Running upgrade 1296d28ec131 -<span class="pl-k">&gt;</span> f18570e03440, Add index on the result key to the query table. INFO [alembic.runtime.migration] Running upgrade f18570e03440 -<span class="pl-k">&gt;</span> bcf3126872fc, Add keyvalue table INFO [alembic.runtime.migration] Running upgrade f18570e03440 -<span class="pl-k">&gt;</span> db0c65b146bd, update_slice_model_json INFO [alembic.runtime.migration] Running upgrade db0c65b146bd -<span class="pl-k">&gt;</span> a99f2f7c195a, rewriting url from shortner with new format INFO [alembic.runtime.migration] Running upgrade a99f2f7c195a, bcf3126872fc -<span class="pl-k">&gt;</span> d6db5a5cdb5d, empty message INFO [alembic.runtime.migration] Running upgrade d6db5a5cdb5d -<span class="pl-k">&gt;</span> b318dfe5fb6c, adding verbose_name to druid column INFO [alembic.runtime.migration] Running upgrade d6db5a5cdb5d -<span class="pl-k">&gt;</span> 732f1c06bcbf, add fetch values predicate INFO [alembic.runtime.migration] Running upgrade 732f1c06bcbf, b318dfe5fb6c -<span class="pl-k">&gt;</span> ea033256294a, empty message INFO [alembic.runtime.migration] Running upgrade b318dfe5fb6c -<span class="pl-k">&gt;</span> db527d8c4c78, Add verbose name to DruidCluster and Database INFO [alembic.runtime.migration] Running upgrade db527d8c4c78, ea033256294a -<span class="pl-k">&gt;</span> 979c03af3341, empty message INFO [alembic.runtime.migration] Running upgrade 979c03af3341 -<span class="pl-k">&gt;</span> a6c18f869a4e, query.start_running_time INFO [alembic.runtime.migration] Running upgrade a6c18f869a4e -<span class="pl-k">&gt;</span> 2fcdcb35e487, saved_queries INFO [alembic.runtime.migration] Running upgrade 2fcdcb35e487 -<span class="pl-k">&gt;</span> a65458420354, add_result_backend_time_logging INFO [alembic.runtime.migration] Running upgrade a65458420354 -<span class="pl-k">&gt;</span> ca69c70ec99b, tracking_url INFO [alembic.runtime.migration] Running upgrade ca69c70ec99b -<span class="pl-k">&gt;</span> a9c47e2c1547, add impersonate_user to dbs INFO [alembic.runtime.migration] Running upgrade ca69c70ec99b -<span class="pl-k">&gt;</span> ddd6ebdd853b, annotations INFO [alembic.runtime.migration] Running upgrade a9c47e2c1547, ddd6ebdd853b -<span class="pl-k">&gt;</span> d39b1e37131d, empty message INFO [alembic.runtime.migration] Running upgrade ca69c70ec99b -<span class="pl-k">&gt;</span> 19a814813610, Adding metric warning_text INFO [alembic.runtime.migration] Running upgrade 19a814813610, a9c47e2c1547 -<span class="pl-k">&gt;</span> 472d2f73dfd4, empty message INFO [alembic.runtime.migration] Running upgrade 472d2f73dfd4, d39b1e37131d -<span class="pl-k">&gt;</span> f959a6652acd, empty message INFO [alembic.runtime.migration] Running upgrade f959a6652acd -<span class="pl-k">&gt;</span> 4736ec66ce19, empty message INFO [alembic.runtime.migration] Running upgrade 4736ec66ce19 -<span class="pl-k">&gt;</span> 67a6ac9b727b, update_spatial_params INFO [alembic.runtime.migration] Running upgrade 67a6ac9b727b -<span class="pl-k">&gt;</span> 21e88bc06c02, migrate_old_annotation_layers INFO [alembic.runtime.migration] Running upgrade 21e88bc06c02 -<span class="pl-k">&gt;</span> e866bd2d4976, smaller_grid INFO [alembic.runtime.migration] Running upgrade e866bd2d4976 -<span class="pl-k">&gt;</span> e68c4473c581, allow_multi_schema_metadata_fetch INFO [alembic.runtime.migration] Running upgrade e68c4473c581 -<span class="pl-k">&gt;</span> f231d82b9b26, empty message INFO [alembic.runtime.migration] Running upgrade f231d82b9b26 -<span class="pl-k">&gt;</span> bf706ae5eb46, cal_heatmap_metric_to_metrics INFO [alembic.runtime.migration] Running upgrade f231d82b9b26 -<span class="pl-k">&gt;</span> 30bb17c0dc76, empty message INFO [alembic.runtime.migration] Running upgrade 30bb17c0dc76, bf706ae5eb46 -<span class="pl-k">&gt;</span> c9495751e314, empty message INFO [alembic.runtime.migration] Running upgrade f231d82b9b26 -<span class="pl-k">&gt;</span> 130915240929, is_sqllab_view INFO [alembic.runtime.migration] Running upgrade 130915240929, c9495751e314 -<span class="pl-k">&gt;</span> 5ccf602336a0, empty message INFO [alembic.runtime.migration] Running upgrade 5ccf602336a0 -<span class="pl-k">&gt;</span> e502db2af7be, add template_params to tables INFO [alembic.runtime.migration] Running upgrade e502db2af7be -<span class="pl-k">&gt;</span> c5756bec8b47, Time grain SQLA INFO [alembic.runtime.migration] Running upgrade c5756bec8b47 -<span class="pl-k">&gt;</span> afb7730f6a9c, remove empty filters INFO [alembic.runtime.migration] Running upgrade afb7730f6a9c -<span class="pl-k">&gt;</span> 80a67c5192fa, single pie chart metric INFO [alembic.runtime.migration] Running upgrade 80a67c5192fa -<span class="pl-k">&gt;</span> bddc498dd179, adhoc filters INFO [alembic.runtime.migration] Running upgrade bddc498dd179 -<span class="pl-k">&gt;</span> 4451805bbaa1, remove double percents INFO [alembic.runtime.migration] Running upgrade bddc498dd179 -<span class="pl-k">&gt;</span> 3dda56f1c4c6, Migrate num_period_compare and period_ratio_type INFO [alembic.runtime.migration] Running upgrade 3dda56f1c4c6 -<span class="pl-k">&gt;</span> 1d9e835a84f9, empty message INFO [alembic.runtime.migration] Running upgrade 4451805bbaa1, 1d9e835a84f9 -<span class="pl-k">&gt;</span> e3970889f38e, empty message INFO [alembic.runtime.migration] Running upgrade 4451805bbaa1, 1d9e835a84f9 -<span class="pl-k">&gt;</span> 705732c70154, empty message INFO [alembic.runtime.migration] Running upgrade 4451805bbaa1, 1d9e835a84f9 -<span class="pl-k">&gt;</span> fc480c87706c, empty message INFO [alembic.runtime.migration] Running upgrade fc480c87706c -<span class="pl-k">&gt;</span> bebcf3fed1fe, Migrate dashboard position_json data from V1 to V2 INFO [alembic.runtime.migration] Running upgrade bebcf3fed1fe, 705732c70154 -<span class="pl-k">&gt;</span> ec1f88a35cc6, empty message INFO [alembic.runtime.migration] Running upgrade 705732c70154, e3970889f38e -<span class="pl-k">&gt;</span> 46ba6aaaac97, empty message INFO [alembic.runtime.migration] Running upgrade 46ba6aaaac97, ec1f88a35cc6 -<span class="pl-k">&gt;</span> c18bd4186f15, empty message INFO [alembic.runtime.migration] Running upgrade c18bd4186f15 -<span class="pl-k">&gt;</span> 7fcdcde0761c, Reduce position_json size by remove extra space and component id prefix INFO [alembic.runtime.migration] Running upgrade 7fcdcde0761c -<span class="pl-k">&gt;</span> 0c5070e96b57, add user attributes table INFO [alembic.runtime.migration] Running upgrade 0c5070e96b57 -<span class="pl-k">&gt;</span> 1a1d627ebd8e, position_json INFO [alembic.runtime.migration] Running upgrade 1a1d627ebd8e -<span class="pl-k">&gt;</span> 55e910a74826, add_metadata_column_to_annotation_model.py INFO [alembic.runtime.migration] Running upgrade 55e910a74826 -<span class="pl-k">&gt;</span> 4ce8df208545, empty message INFO [alembic.runtime.migration] Running upgrade 4ce8df208545 -<span class="pl-k">&gt;</span> 46f444d8b9b7, remove_coordinator_from_druid_cluster_model.py INFO [alembic.runtime.migration] Running upgrade 46f444d8b9b7 -<span class="pl-k">&gt;</span> a61b40f9f57f, remove allow_run_sync INFO [alembic.runtime.migration] Running upgrade a61b40f9f57f -<span class="pl-k">&gt;</span> 6c7537a6004a, models <span class="pl-k">for</span> email reports INFO [alembic.runtime.migration] Running upgrade 6c7537a6004a -<span class="pl-k">&gt;</span> 3e1b21cd94a4, change_owner_to_m2m_relation_on_datasources.py INFO [alembic.runtime.migration] Running upgrade 6c7537a6004a -<span class="pl-k">&gt;</span> cefabc8f7d38, Increase size of name column <span class="pl-k">in</span> ab_view_menu INFO [alembic.runtime.migration] Running upgrade 55e910a74826 -<span class="pl-k">&gt;</span> 0b1f1ab473c0, Add extra column to Query INFO [alembic.runtime.migration] Running upgrade 0b1f1ab473c0, cefabc8f7d38, 3e1b21cd94a4 -<span class="pl-k">&gt;</span> de021a1ca60d, empty message INFO [alembic.runtime.migration] Running upgrade de021a1ca60d -<span class="pl-k">&gt;</span> fb13d49b72f9, better_filters INFO [alembic.runtime.migration] Running upgrade fb13d49b72f9 -<span class="pl-k">&gt;</span> a33a03f16c4a, Add extra column to SavedQuery INFO [alembic.runtime.migration] Running upgrade 4451805bbaa1, 1d9e835a84f9 -<span class="pl-k">&gt;</span> c829ff0b37d0, empty message INFO [alembic.runtime.migration] Running upgrade c829ff0b37d0 -<span class="pl-k">&gt;</span> 7467e77870e4, remove_aggs INFO [alembic.runtime.migration] Running upgrade 7467e77870e4, de021a1ca60d -<span class="pl-k">&gt;</span> fbd55e0f83eb, empty message INFO [alembic.runtime.migration] Running upgrade fbd55e0f83eb, fb13d49b72f9 -<span class="pl-k">&gt;</span> 8b70aa3d0f87, empty message INFO [alembic.runtime.migration] Running upgrade 8b70aa3d0f87, a33a03f16c4a -<span class="pl-k">&gt;</span> 18dc26817ad2, empty message INFO [alembic.runtime.migration] Running upgrade 18dc26817ad2 -<span class="pl-k">&gt;</span> c617da68de7d, form nullable INFO [alembic.runtime.migration] Running upgrade c617da68de7d -<span class="pl-k">&gt;</span> c82ee8a39623, Add implicit tags INFO [alembic.runtime.migration] Running upgrade 18dc26817ad2 -<span class="pl-k">&gt;</span> e553e78e90c5, add_druid_auth_py.py INFO [alembic.runtime.migration] Running upgrade e553e78e90c5, c82ee8a39623 -<span class="pl-k">&gt;</span> 45e7da7cfeba, empty message INFO [alembic.runtime.migration] Running upgrade 45e7da7cfeba -<span class="pl-k">&gt;</span> 80aa3f04bc82, Add Parent ids <span class="pl-k">in</span> dashboard layout metadata INFO [alembic.runtime.migration] Running upgrade 80aa3f04bc82 -<span class="pl-k">&gt;</span> d94d33dbe938, form strip INFO [alembic.runtime.migration] Running upgrade d94d33dbe938 -<span class="pl-k">&gt;</span> 937d04c16b64, update datasources INFO [alembic.runtime.migration] Running upgrade 937d04c16b64 -<span class="pl-k">&gt;</span> 7f2635b51f5d, update base columns INFO [alembic.runtime.migration] Running upgrade 7f2635b51f5d -<span class="pl-k">&gt;</span> e9df189e5c7e, update base metrics INFO [alembic.runtime.migration] Running upgrade e9df189e5c7e -<span class="pl-k">&gt;</span> afc69274c25a, update the sql, select_sql, and executed_sql columns <span class="pl-k">in</span> the query table <span class="pl-k">in</span> mysql dbs to be long text columns INFO [alembic.runtime.migration] Running upgrade afc69274c25a -<span class="pl-k">&gt;</span> d7c1a0d6f2da, Remove limit used from query model INFO [alembic.runtime.migration] Running upgrade d7c1a0d6f2da -<span class="pl-k">&gt;</span> ab8c66efdd01, resample INFO [alembic.runtime.migration] Running upgrade ab8c66efdd01 -<span class="pl-k">&gt;</span> b4a38aa87893, deprecate database expression INFO [alembic.runtime.migration] Running upgrade b4a38aa87893 -<span class="pl-k">&gt;</span> d6ffdf31bdd4, Add published column to dashboards INFO [alembic.runtime.migration] Running upgrade d6ffdf31bdd4 -<span class="pl-k">&gt;</span> 190188938582, Remove duplicated entries <span class="pl-k">in</span> dashboard_slices table and add unique constraint INFO [alembic.runtime.migration] Running upgrade 190188938582 -<span class="pl-k">&gt;</span> def97f26fdfb, Add index to tagged_object INFO [alembic.runtime.migration] Running upgrade def97f26fdfb -<span class="pl-k">&gt;</span> 11c737c17cc6, deprecate_restricted_metrics INFO [alembic.runtime.migration] Running upgrade 11c737c17cc6 -<span class="pl-k">&gt;</span> 258b5280a45e, form strip leading and trailing whitespace INFO [alembic.runtime.migration] Running upgrade 258b5280a45e -<span class="pl-k">&gt;</span> 1495eb914ad3, <span class="pl-k">time</span> range INFO [alembic.runtime.migration] Running upgrade 1495eb914ad3 -<span class="pl-k">&gt;</span> b6fa807eac07, make_names_non_nullable INFO [alembic.runtime.migration] Running upgrade b6fa807eac07 -<span class="pl-k">&gt;</span> cca2f5d568c8, add encrypted_extra to dbs INFO [alembic.runtime.migration] Running upgrade cca2f5d568c8 -<span class="pl-k">&gt;</span> c2acd2cf3df2, alter <span class="pl-c1">type</span> of dbs encrypted_extra INFO [alembic.runtime.migration] Running upgrade c2acd2cf3df2 -<span class="pl-k">&gt;</span> 78ee127d0d1d, reconvert legacy filters into adhoc INFO [alembic.runtime.migration] Running upgrade 78ee127d0d1d -<span class="pl-k">&gt;</span> db4b49eb0782, Add tables <span class="pl-k">for</span> SQL Lab state INFO [alembic.runtime.migration] Running upgrade db4b49eb0782 -<span class="pl-k">&gt;</span> 5afa9079866a, serialize_schema_permissions.py INFO [alembic.runtime.migration] Running upgrade 5afa9079866a -<span class="pl-k">&gt;</span> 89115a40e8ea, Change table schema description to long text INFO [alembic.runtime.migration] Running upgrade 89115a40e8ea -<span class="pl-k">&gt;</span> 817e1c9b09d0, add_not_null_to_dbs_sqlalchemy_url INFO [alembic.runtime.migration] Running upgrade 817e1c9b09d0 -<span class="pl-k">&gt;</span> e96dbf2cfef0, datasource_cluster_fk INFO [alembic.runtime.migration] Running upgrade e96dbf2cfef0 -<span class="pl-k">&gt;</span> 3325d4caccc8, empty message INFO [alembic.runtime.migration] Running upgrade 3325d4caccc8 -<span class="pl-k">&gt;</span> 0a6f12f60c73, add_role_level_security INFO [alembic.runtime.migration] Running upgrade 0a6f12f60c73 -<span class="pl-k">&gt;</span> 72428d1ea401, Add tmp_schema_name to the query object. INFO [alembic.runtime.migration] Running upgrade 72428d1ea401 -<span class="pl-k">&gt;</span> b5998378c225, add certificate to dbs INFO [alembic.runtime.migration] Running upgrade b5998378c225 -<span class="pl-k">&gt;</span> f9a30386bd74, cleanup_time_grainularity INFO [alembic.runtime.migration] Running upgrade f9a30386bd74 -<span class="pl-k">&gt;</span> 620241d1153f, update time_grain_sqla INFO [alembic.runtime.migration] Running upgrade 620241d1153f -<span class="pl-k">&gt;</span> 743a117f0d98, Add slack to the schedule INFO [alembic.runtime.migration] Running upgrade 743a117f0d98 -<span class="pl-k">&gt;</span> e557699a813e, add_tables_relation_to_row_level_security INFO [alembic.runtime.migration] Running upgrade e557699a813e -<span class="pl-k">&gt;</span> ea396d202291, Add ctas_method to the Query object INFO [alembic.runtime.migration] Running upgrade ea396d202291 -<span class="pl-k">&gt;</span> a72cb0ebeb22, deprecate dbs.perm column INFO [alembic.runtime.migration] Running upgrade a72cb0ebeb22 -<span class="pl-k">&gt;</span> 2f1d15e8a6af, add_alerts INFO [alembic.runtime.migration] Running upgrade 2f1d15e8a6af -<span class="pl-k">&gt;</span> f2672aa8350a, add_slack_to_alerts INFO [alembic.runtime.migration] Running upgrade f2672aa8350a -<span class="pl-k">&gt;</span> f120347acb39, Add extra column to tables and metrics INFO [alembic.runtime.migration] Running upgrade f2672aa8350a -<span class="pl-k">&gt;</span> 978245563a02, Migrate iframe <span class="pl-k">in</span> dashboard to markdown component INFO [alembic.runtime.migration] Running upgrade 978245563a02, f120347acb39 -<span class="pl-k">&gt;</span> f80a3b88324b, empty message INFO [alembic.runtime.migration] Running upgrade f80a3b88324b -<span class="pl-k">&gt;</span> 2e5a0ee25ed4, refractor_alerting INFO [alembic.runtime.migration] Running upgrade f80a3b88324b -<span class="pl-k">&gt;</span> 175ea3592453, Add cache to datasource lookup table. INFO [alembic.runtime.migration] Running upgrade 175ea3592453, 2e5a0ee25ed4 -<span class="pl-k">&gt;</span> ae19b4ee3692, empty message INFO [alembic.runtime.migration] Running upgrade ae19b4ee3692 -<span class="pl-k">&gt;</span> e5ef6828ac4e, add rls filter <span class="pl-c1">type</span> and grouping key INFO [alembic.runtime.migration] Running upgrade e5ef6828ac4e -<span class="pl-k">&gt;</span> 3fbbc6e8d654, fix data access permissions <span class="pl-k">for</span> virtual datasets INFO [alembic.runtime.migration] Running upgrade 3fbbc6e8d654 -<span class="pl-k">&gt;</span> 18532d70ab98, Delete table_name unique constraint <span class="pl-k">in</span> mysql INFO [alembic.runtime.migration] Running upgrade 18532d70ab98 -<span class="pl-k">&gt;</span> b56500de1855, add_uuid_column_to_import_mixin INFO [alembic.runtime.migration] Running upgrade b56500de1855 -<span class="pl-k">&gt;</span> af30ca79208f, Collapse alerting models into a single one INFO [alembic.runtime.migration] Running upgrade af30ca79208f -<span class="pl-k">&gt;</span> 585b0b1a7b18, add <span class="pl-c1">exec</span> info to saved queries INFO [alembic.runtime.migration] Running upgrade 585b0b1a7b18 -<span class="pl-k">&gt;</span> 96e99fb176a0, add_import_mixing_to_saved_query INFO [alembic.runtime.migration] Running upgrade 96e99fb176a0 -<span class="pl-k">&gt;</span> 49b5a32daba5, add report schedules INFO [alembic.runtime.migration] Running upgrade 49b5a32daba5 -<span class="pl-k">&gt;</span> a8173232b786, Add path to logs INFO [alembic.runtime.migration] Running upgrade a8173232b786 -<span class="pl-k">&gt;</span> e38177dbf641, security converge saved queries Loaded your LOCAL configuration at [/app/pythonpath/superset_config.py] Cleaning up slice uuid from dashboard position json.. Cleaning up slice uuid from dashboard position json.. Done. Traceback (most recent call last): File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py<span class="pl-pds">"</span></span>, line 1276, <span class="pl-k">in</span> _execute_context self.dialect.do_execute( File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/default.py<span class="pl-pds">"</span></span>, line 608, <span class="pl-k">in</span> do_execute cursor.execute(statement, parameters) psycopg2.errors.UndefinedTable: relation <span class="pl-s"><span class="pl-pds">"</span>ab_permission_view_role<span class="pl-pds">"</span></span> does not exist LINE 2: FROM ab_role LEFT OUTER JOIN (ab_permission_view_role AS ab_... ^ The above exception was the direct cause of the following exception: Traceback (most recent call last): File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/bin/superset<span class="pl-pds">"</span></span>, line 33, <span class="pl-k">in</span> <span class="pl-k">&lt;</span>module<span class="pl-k">&gt;</span> sys.exit(load_entry_point(<span class="pl-s"><span class="pl-pds">'</span>apache-superset<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>console_scripts<span class="pl-pds">'</span></span>, <span class="pl-s"><span class="pl-pds">'</span>superset<span class="pl-pds">'</span></span>)()) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/click/core.py<span class="pl-pds">"</span></span>, line 1128, <span class="pl-k">in</span> __call__ <span class="pl-k">return</span> self.main(<span class="pl-k">*</span>args, <span class="pl-k">**</span>kwargs) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/flask/cli.py<span class="pl-pds">"</span></span>, line 601, <span class="pl-k">in</span> main <span class="pl-k">return</span> <span class="pl-en">super</span>().main(<span class="pl-k">*</span>args, <span class="pl-k">**</span>kwargs) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/click/core.py<span class="pl-pds">"</span></span>, line 1053, <span class="pl-k">in</span> main rv = self.invoke(ctx) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/click/core.py<span class="pl-pds">"</span></span>, line 1659, <span class="pl-k">in</span> invoke <span class="pl-k">return</span> _process_result(sub_ctx.command.invoke(sub_ctx)) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/click/core.py<span class="pl-pds">"</span></span>, line 1659, <span class="pl-k">in</span> invoke <span class="pl-k">return</span> _process_result(sub_ctx.command.invoke(sub_ctx)) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/click/core.py<span class="pl-pds">"</span></span>, line 1395, <span class="pl-k">in</span> invoke <span class="pl-k">return</span> ctx.invoke(self.callback, <span class="pl-k">**</span>ctx.params) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/click/core.py<span class="pl-pds">"</span></span>, line 754, <span class="pl-k">in</span> invoke <span class="pl-k">return</span> __callback(<span class="pl-k">*</span>args, <span class="pl-k">**</span>kwargs) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/click/decorators.py<span class="pl-pds">"</span></span>, line 26, <span class="pl-k">in</span> new_func <span class="pl-k">return</span> <span class="pl-en">f(get_current_context</span>(), <span class="pl-k">*</span>args, <span class="pl-k">**</span>kwargs) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/flask/cli.py<span class="pl-pds">"</span></span>, line 445, <span class="pl-k">in</span> decorator <span class="pl-k">return</span> __ctx.invoke(f, <span class="pl-k">*</span>args, <span class="pl-k">**</span>kwargs) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/click/core.py<span class="pl-pds">"</span></span>, line 754, <span class="pl-k">in</span> invoke <span class="pl-k">return</span> __callback(<span class="pl-k">*</span>args, <span class="pl-k">**</span>kwargs) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/flask_migrate/cli.py<span class="pl-pds">"</span></span>, line 149, <span class="pl-k">in</span> upgrade _upgrade(directory, revision, sql, tag, x_arg) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/flask_migrate/__init__.py<span class="pl-pds">"</span></span>, line 98, <span class="pl-k">in</span> wrapped f(<span class="pl-k">*</span>args, <span class="pl-k">**</span>kwargs) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/flask_migrate/__init__.py<span class="pl-pds">"</span></span>, line 185, <span class="pl-k">in</span> upgrade command.upgrade(config, revision, sql=sql, tag=tag) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/alembic/command.py<span class="pl-pds">"</span></span>, line 294, <span class="pl-k">in</span> upgrade <span class="pl-en">script.run_env</span>() File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/alembic/script/base.py<span class="pl-pds">"</span></span>, line 490, <span class="pl-k">in</span> run_env util.load_python_file(self.dir, <span class="pl-s"><span class="pl-pds">"</span>env.py<span class="pl-pds">"</span></span>) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/alembic/util/pyfiles.py<span class="pl-pds">"</span></span>, line 97, <span class="pl-k">in</span> load_python_file module = load_module_py(module_id, path) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/alembic/util/compat.py<span class="pl-pds">"</span></span>, line 184, <span class="pl-k">in</span> load_module_py spec.loader.exec_module(module) File <span class="pl-s"><span class="pl-pds">"</span>&lt;frozen importlib._bootstrap_external&gt;<span class="pl-pds">"</span></span>, line 843, <span class="pl-k">in</span> exec_module File <span class="pl-s"><span class="pl-pds">"</span>&lt;frozen importlib._bootstrap&gt;<span class="pl-pds">"</span></span>, line 219, <span class="pl-k">in</span> _call_with_frames_removed File <span class="pl-s"><span class="pl-pds">"</span>/app/superset/extensions/../migrations/env.py<span class="pl-pds">"</span></span>, line 126, <span class="pl-k">in</span> <span class="pl-k">&lt;</span>module<span class="pl-k">&gt;</span> <span class="pl-en">run_migrations_online</span>() File <span class="pl-s"><span class="pl-pds">"</span>/app/superset/extensions/../migrations/env.py<span class="pl-pds">"</span></span>, line 118, <span class="pl-k">in</span> run_migrations_online <span class="pl-en">context.run_migrations</span>() File <span class="pl-s"><span class="pl-pds">"</span>&lt;string&gt;<span class="pl-pds">"</span></span>, line 8, <span class="pl-k">in</span> run_migrations File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/alembic/runtime/environment.py<span class="pl-pds">"</span></span>, line 813, <span class="pl-k">in</span> run_migrations <span class="pl-en">self.get_context</span>().run_migrations(<span class="pl-k">**</span>kw) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/alembic/runtime/migration.py<span class="pl-pds">"</span></span>, line 561, <span class="pl-k">in</span> run_migrations step.migration_fn(<span class="pl-k">**</span>kw) File <span class="pl-s"><span class="pl-pds">"</span>/app/superset/migrations/versions/e38177dbf641_security_converge_saved_queries.py<span class="pl-pds">"</span></span>, line 100, <span class="pl-k">in</span> upgrade migrate_roles(session, PVM_MAP) File <span class="pl-s"><span class="pl-pds">"</span>/app/superset/migrations/shared/security_converge.py<span class="pl-pds">"</span></span>, line 237, <span class="pl-k">in</span> migrate_roles roles = <span class="pl-en">session.query(Role).options(Load(Role).joinedload(Role.permissions)).all</span>() File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/orm/query.py<span class="pl-pds">"</span></span>, line 3373, <span class="pl-k">in</span> all <span class="pl-k">return</span> list(self) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/orm/query.py<span class="pl-pds">"</span></span>, line 3535, <span class="pl-k">in</span> __iter__ <span class="pl-k">return</span> self._execute_and_instances(context) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/orm/query.py<span class="pl-pds">"</span></span>, line 3560, <span class="pl-k">in</span> _execute_and_instances result = conn.execute(querycontext.statement, self._params) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py<span class="pl-pds">"</span></span>, line 1011, <span class="pl-k">in</span> execute <span class="pl-k">return</span> meth(self, multiparams, params) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/sql/elements.py<span class="pl-pds">"</span></span>, line 298, <span class="pl-k">in</span> _execute_on_connection <span class="pl-k">return</span> connection._execute_clauseelement(self, multiparams, params) File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py<span class="pl-pds">"</span></span>, line 1124, <span class="pl-k">in</span> _execute_clauseelement ret = self._execute_context( File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py<span class="pl-pds">"</span></span>, line 1316, <span class="pl-k">in</span> _execute_context self._handle_dbapi_exception( File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py<span class="pl-pds">"</span></span>, line 1510, <span class="pl-k">in</span> _handle_dbapi_exception util.raise_( File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/util/compat.py<span class="pl-pds">"</span></span>, line 182, <span class="pl-k">in</span> raise_ raise exception File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/base.py<span class="pl-pds">"</span></span>, line 1276, <span class="pl-k">in</span> _execute_context self.dialect.do_execute( File <span class="pl-s"><span class="pl-pds">"</span>/usr/local/lib/python3.8/site-packages/sqlalchemy/engine/default.py<span class="pl-pds">"</span></span>, line 608, <span class="pl-k">in</span> do_execute cursor.execute(statement, parameters) sqlalchemy.exc.ProgrammingError: (psycopg2.errors.UndefinedTable) relation <span class="pl-s"><span class="pl-pds">"</span>ab_permission_view_role<span class="pl-pds">"</span></span> does not exist LINE 2: FROM ab_role LEFT OUTER JOIN (ab_permission_view_role AS ab_... ^ [SQL: SELECT ab_role.id AS ab_role_id, ab_role.name AS ab_role_name, ab_permission_view_1.id AS ab_permission_view_1_id, ab_permission_view_1.permission_id AS ab_permission_view_1_permission_id, ab_permission_view_1.view_menu_id AS ab_permission_view_1_view_menu_id FROM ab_role LEFT OUTER JOIN (ab_permission_view_role AS ab_permission_view_role_1 JOIN ab_permission_view AS ab_permission_view_1 ON ab_permission_view_1.id = ab_permission_view_role_1.permission_view_id) ON ab_role.id <span class="pl-k">=</span> ab_permission_view_role_1.role_id] (Background on this error at: http://sqlalche.me/e/13/f405)</pre></div> </details> <h3 dir="auto">Environment</h3> <p dir="auto">(please complete the following information):</p> <ul dir="auto"> <li>browser type and version:</li> <li>superset version: <code class="notranslate">superset version</code></li> <li>python version: <code class="notranslate">python --version</code></li> <li>node.js version: <code class="notranslate">node -v</code></li> <li>any feature flags active:</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"> 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"> I have checked the issue tracker for the same issue and I haven't found one similar.</li> </ul> <h3 dir="auto">Additional context</h3> <p dir="auto">Found a related error when deploying by Helm without clear fix solution inside:</p> <ul dir="auto"> <li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="925045810" data-permission-text="Title is private" data-url="https://github.com/apache/superset/issues/15262" data-hovercard-type="issue" data-hovercard-url="/apache/superset/issues/15262/hovercard" href="https://github.com/apache/superset/issues/15262">#15262</a></li> </ul> <p dir="auto">Also, found people who are using docker-compose met similar issues:</p> <ul dir="auto"> <li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="970276106" data-permission-text="Title is private" data-url="https://github.com/apache/superset/issues/16247" data-hovercard-type="issue" data-hovercard-url="/apache/superset/issues/16247/hovercard" href="https://github.com/apache/superset/issues/16247">#16247</a></li> <li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="1084343421" data-permission-text="Title is private" data-url="https://github.com/apache/superset/issues/17822" data-hovercard-type="issue" data-hovercard-url="/apache/superset/issues/17822/hovercard" href="https://github.com/apache/superset/issues/17822">#17822</a></li> </ul>
0
<p dir="auto">In my App , It's write this:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" repositories { mavenCentral() maven { url 'https://maven.google.com' } } dependencies { compile 'com.github.bumptech.glide:glide:4.0.0' annotationProcessor 'com.github.bumptech.glide:compiler:4.0.0' compile 'com.jakewharton:butterknife:8.4.0' apt 'com.jakewharton:butterknife-compiler:8.4.0' }"><pre class="notranslate"><code class="notranslate"> repositories { mavenCentral() maven { url 'https://maven.google.com' } } dependencies { compile 'com.github.bumptech.glide:glide:4.0.0' annotationProcessor 'com.github.bumptech.glide:compiler:4.0.0' compile 'com.jakewharton:butterknife:8.4.0' apt 'com.jakewharton:butterknife-compiler:8.4.0' } </code></pre></div> <p dir="auto">And then new class :</p> <p dir="auto">@GlideModule<br> public final class TastesGlideModule extends AppGlideModule {}</p> <p dir="auto">Then make project</p> <p dir="auto">But is not found GlideApp , When I remove butterknife in dependencies and try again , The GlideApp is be create , It's because of Butterknife ?</p>
<p dir="auto">My project using <code class="notranslate">com.neenbedankt.gradle.plugins:android-apt</code> Plugins.<br> When I import Glide version <code class="notranslate">4.0.0</code>, It was not generated <code class="notranslate">GlideApp</code>.<br> How can generate GlideApp with <code class="notranslate">com.neenbedankt.gradle.plugins:android-apt</code> Plugin?<br> Thanks</p>
1
<p dir="auto">Challenge <a href="http://www.freecodecamp.com/challenges/waypoint-reverse-arrays-with-reverse?solution=var%20array%20%3D%20%5B1%2C2%2C3%2C4%2C5%2C6%2C7%5D%3B%0A%0A%2F%2F%20Only%20change%20code%20below%20this%20line.%0A%0Avar%20newArray%20%3D%20array%3B%0A%0A%2F%2F%20Only%20change%20code%20above%20this%20line.%0A%0A" rel="nofollow">Waypoint: Reverse Arrays with reverse</a> has an issue.<br> User Agent is: <code class="notranslate">Mozilla/5.0 (Macintosh; Intel Mac OS X 10_10_1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/46.0.2490.86 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-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var array = [1,2,3,4,5,6,7]; // Only change code below this line. var newArray = array; // Only change code above this line. "><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">array</span> <span class="pl-c1">=</span> <span class="pl-kos">[</span><span class="pl-c1">1</span><span class="pl-kos">,</span><span class="pl-c1">2</span><span class="pl-kos">,</span><span class="pl-c1">3</span><span class="pl-kos">,</span><span class="pl-c1">4</span><span class="pl-kos">,</span><span class="pl-c1">5</span><span class="pl-kos">,</span><span class="pl-c1">6</span><span class="pl-kos">,</span><span class="pl-c1">7</span><span class="pl-kos">]</span><span class="pl-kos">;</span> <span class="pl-c">// Only change code below this line.</span> <span class="pl-k">var</span> <span class="pl-s1">newArray</span> <span class="pl-c1">=</span> <span class="pl-s1">array</span><span class="pl-kos">;</span> <span class="pl-c">// Only change code above this line.</span> </pre></div>
<p dir="auto">This issue probably exists somewhere, but adding a function below a bonfire's default code will crash the browser.</p> <p dir="auto">Adding a function above a Bonfire's default code doesn't cause any problems.</p>
1
<h3 dir="auto">System info</h3> <ul dir="auto"> <li>Playwright Version: [v1.35.0]</li> <li>Operating System: [Debian Bookworm]</li> <li>Browser: [Chromium]</li> <li>Other info: Python 3.11</li> </ul> <h3 dir="auto">Source code</h3> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I provided exact source code that allows reproducing the issue locally.</li> </ul> <div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="from playwright.sync_api import sync_playwright import time import sys with sync_playwright() as p: browser = p.chromium.launch(headless=False) page = browser.new_page() page.goto(&quot;https://paste.ononoki.org/&quot;) page.locator('xpath=//textarea[@id=&quot;message&quot;]').type(&quot;HELLO WORLD&quot;) page.get_by_role(&quot;button&quot;, name=&quot;send&quot;).click() page.wait_for_load_state() print(page.url) time.sleep(10) browser.close() sys.exit()"><pre class="notranslate"><span class="pl-k">from</span> <span class="pl-s1">playwright</span>.<span class="pl-s1">sync_api</span> <span class="pl-k">import</span> <span class="pl-s1">sync_playwright</span> <span class="pl-k">import</span> <span class="pl-s1">time</span> <span class="pl-k">import</span> <span class="pl-s1">sys</span> <span class="pl-k">with</span> <span class="pl-en">sync_playwright</span>() <span class="pl-k">as</span> <span class="pl-s1">p</span>: <span class="pl-s1">browser</span> <span class="pl-c1">=</span> <span class="pl-s1">p</span>.<span class="pl-s1">chromium</span>.<span class="pl-en">launch</span>(<span class="pl-s1">headless</span><span class="pl-c1">=</span><span class="pl-c1">False</span>) <span class="pl-s1">page</span> <span class="pl-c1">=</span> <span class="pl-s1">browser</span>.<span class="pl-en">new_page</span>() <span class="pl-s1">page</span>.<span class="pl-en">goto</span>(<span class="pl-s">"https://paste.ononoki.org/"</span>) <span class="pl-s1">page</span>.<span class="pl-en">locator</span>(<span class="pl-s">'xpath=//textarea[@id="message"]'</span>).<span class="pl-en">type</span>(<span class="pl-s">"HELLO WORLD"</span>) <span class="pl-s1">page</span>.<span class="pl-en">get_by_role</span>(<span class="pl-s">"button"</span>, <span class="pl-s1">name</span><span class="pl-c1">=</span><span class="pl-s">"send"</span>).<span class="pl-en">click</span>() <span class="pl-s1">page</span>.<span class="pl-en">wait_for_load_state</span>() <span class="pl-en">print</span>(<span class="pl-s1">page</span>.<span class="pl-s1">url</span>) <span class="pl-s1">time</span>.<span class="pl-en">sleep</span>(<span class="pl-c1">10</span>) <span class="pl-s1">browser</span>.<span class="pl-en">close</span>() <span class="pl-s1">sys</span>.<span class="pl-en">exit</span>()</pre></div> <p dir="auto"><strong>Steps</strong></p> <ul dir="auto"> <li>[Run the test]</li> </ul> <p dir="auto"><strong>Expected</strong></p> <p dir="auto">The actual target URL (ie. where the button takes you) should be printed.</p> <p dir="auto"><strong>Actual</strong></p> <p dir="auto">The code prints <code class="notranslate">https://paste.ononoki.org/</code> rather than the target url (eg something like <code class="notranslate">https://paste.ononoki.org/?18f7b2d1ee31024c#BMXkAs1MzWBm5Jot4Yc3XPGFH9sTDXFeFBsBneusvAaZ</code>).</p> <p dir="auto"><code class="notranslate">page.wait_for_load_state("domcontentloaded")</code> has no effect either.</p>
<h3 dir="auto">System info</h3> <ul dir="auto"> <li>Playwright Version: Version 1.36.1</li> <li>Operating System: Windows 11</li> <li>Browser: All</li> <li>Other info:</li> </ul> <h3 dir="auto">Source code</h3> <p dir="auto">playwright.config.ts:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import { defineConfig, devices } from '@playwright/test'; /** * See https://playwright.dev/docs/test-configuration. */ export default defineConfig({ testDir: './e2e/playwright/tests/', outputDir: './e2e/playwright/test-results/', // Run tests in files in parallel fullyParallel: true, // Fail the build on CI if you accidentally left test.only in the source code. forbidOnly: !!process.env.CI, // Retry on CI only */ retries: process.env.CI ? 2 : 0, // The maximum number of concurrent worker processes to use for parallelizing tests. Can be set as percentage of logical CPU cores, e.g. '50%'. workers: process.env.CI ? '50%' : '50%', // Reporter to use. See https://playwright.dev/docs/test-reporters reporter: process.env.CI ? 'line' : [['html', { outputFolder: './e2e/playwright/reports/' }]], // Shared settings for all the projects below. See https://playwright.dev/docs/api/class-testoptions. use: { // Base URL to use in actions like `await page.goto('/')`. baseURL: process.env.WEBAPP_URL || 'https://dev-cropmanager.vfltest.dk/#/', // Collect trace when retrying the failed test. See https://playwright.dev/docs/trace-viewer trace: 'on-first-retry', }, // Configure projects for major browsers projects: [ { name: 'chromium', use: { ...devices['Desktop Chrome'] }, }, { name: 'firefox', use: { ...devices['Desktop Firefox'] }, }, ], }); "><pre class="notranslate"><code class="notranslate">import { defineConfig, devices } from '@playwright/test'; /** * See https://playwright.dev/docs/test-configuration. */ export default defineConfig({ testDir: './e2e/playwright/tests/', outputDir: './e2e/playwright/test-results/', // Run tests in files in parallel fullyParallel: true, // Fail the build on CI if you accidentally left test.only in the source code. forbidOnly: !!process.env.CI, // Retry on CI only */ retries: process.env.CI ? 2 : 0, // The maximum number of concurrent worker processes to use for parallelizing tests. Can be set as percentage of logical CPU cores, e.g. '50%'. workers: process.env.CI ? '50%' : '50%', // Reporter to use. See https://playwright.dev/docs/test-reporters reporter: process.env.CI ? 'line' : [['html', { outputFolder: './e2e/playwright/reports/' }]], // Shared settings for all the projects below. See https://playwright.dev/docs/api/class-testoptions. use: { // Base URL to use in actions like `await page.goto('/')`. baseURL: process.env.WEBAPP_URL || 'https://dev-cropmanager.vfltest.dk/#/', // Collect trace when retrying the failed test. See https://playwright.dev/docs/trace-viewer trace: 'on-first-retry', }, // Configure projects for major browsers projects: [ { name: 'chromium', use: { ...devices['Desktop Chrome'] }, }, { name: 'firefox', use: { ...devices['Desktop Firefox'] }, }, ], }); </code></pre></div> <p dir="auto">authtest.spec.ts:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import { expect, test } from '@playwright/test'; test.use({ storageState: './e2e/playwright/.auth/premium.json' }); test('basic test', async ({ page }) =&gt; { await page.goto('./'); await expect(page).toHaveTitle(/CropManager/); });"><pre class="notranslate"><code class="notranslate">import { expect, test } from '@playwright/test'; test.use({ storageState: './e2e/playwright/.auth/premium.json' }); test('basic test', async ({ page }) =&gt; { await page.goto('./'); await expect(page).toHaveTitle(/CropManager/); }); </code></pre></div> <p dir="auto">auth.setup.ts:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import { expect, test as setup } from '@playwright/test'; const premiumFile = './e2e/playwright/.auth/premium.json'; setup('authenticate as premium user', async ({ page }) =&gt; { // Perform authentication steps. Replace these actions with your own. await page.goto('./'); await page.getByRole('button', { name: 'LOG PÅ CROPMANAGER' }).click(); await page.getByLabel('Brugerkonto').fill('PublicUser'); await page.getByLabel('Adgangskode').fill('WeLoveTestCafe'); await page.getByRole('button', { name: 'Log på' }).click(); // Wait until the page receives the cookies. // // Sometimes login flow sets cookies in the process of several redirects. // Wait for the final URL to ensure that the cookies are actually set. await page.waitForURL('https://dev-cropmanager.vfltest.dk/#/'); await expect(page.getByRole('button', { name: 'LOG PÅ CROPMANAGER' })).toBeVisible(); // End of authentication steps. await page.context().storageState({ path: premiumFile }); }); "><pre class="notranslate"><code class="notranslate">import { expect, test as setup } from '@playwright/test'; const premiumFile = './e2e/playwright/.auth/premium.json'; setup('authenticate as premium user', async ({ page }) =&gt; { // Perform authentication steps. Replace these actions with your own. await page.goto('./'); await page.getByRole('button', { name: 'LOG PÅ CROPMANAGER' }).click(); await page.getByLabel('Brugerkonto').fill('PublicUser'); await page.getByLabel('Adgangskode').fill('WeLoveTestCafe'); await page.getByRole('button', { name: 'Log på' }).click(); // Wait until the page receives the cookies. // // Sometimes login flow sets cookies in the process of several redirects. // Wait for the final URL to ensure that the cookies are actually set. await page.waitForURL('https://dev-cropmanager.vfltest.dk/#/'); await expect(page.getByRole('button', { name: 'LOG PÅ CROPMANAGER' })).toBeVisible(); // End of authentication steps. await page.context().storageState({ path: premiumFile }); }); </code></pre></div> <p dir="auto">Folder structure:<br> e2e/playwright/.auth<br> e2e/playwright/tests/auth.setup.ts<br> e2e/playwright/tests/authtest.spec.ts<br> playwright.config.ts</p> <p dir="auto"><strong>Steps</strong></p> <ul dir="auto"> <li>Run the test with provided auth (multiple roles login)</li> </ul> <p dir="auto"><strong>Expected</strong></p> <p dir="auto">Expected a premium.json to be created in .auth folder when test was run.<br> It seems the auth.setup.ts is never run - Am i missing something in configuration? Documentation doesn't state it.<br> If I for instance comment out this line, the test will pass: // test.use({ storageState: './e2e/playwright/.auth/premium.json' });</p> <p dir="auto"><strong>Actual</strong></p> <p dir="auto">Error: Error reading storage state from ./e2e/playwright/.auth/premium.json:<br> ENOENT: no such file or directory</p>
0
<p dir="auto">I'd like to create class Node in ES6 syntax. But IntelliSense underlined class Node with red and wrote a message <strong>Duplicate identifier 'Node'.</strong></p> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/3235047/12568893/a57547e2-c37e-11e5-8d59-f07a04213e36.png"><img src="https://cloud.githubusercontent.com/assets/3235047/12568893/a57547e2-c37e-11e5-8d59-f07a04213e36.png" alt="image" style="max-width: 100%;"></a></p>
<ul dir="auto"> <li>enable salsa</li> <li>write a function like <code class="notranslate">function() {</code></li> <li>hint enter: <g-emoji class="g-emoji" alias="skull" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/1f480.png">💀</g-emoji> indentation is off</li> </ul>
0
<p dir="auto">Please answer these questions before submitting your issue. Thanks!</p> <ol dir="auto"> <li> <p dir="auto">What version of Go are you using (<code class="notranslate">go version</code>)?<br> <code class="notranslate">go version go1.6 linux/amd64</code></p> </li> <li> <p dir="auto">What operating system and processor architecture are you using (<code class="notranslate">go env</code>)?</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="GOARCH=&quot;amd64&quot; GOHOSTARCH=&quot;amd64&quot; GOHOSTOS=&quot;linux&quot; GOOS=&quot;linux&quot; GORACE=&quot;&quot; GO15VENDOREXPERIMENT=&quot;1&quot; CC=&quot;gcc&quot; GOGCCFLAGS=&quot;-fPIC -m64 -pthread -fmessage-length=0&quot; CXX=&quot;g++&quot; CGO_ENABLED=&quot;1&quot;"><pre class="notranslate"><code class="notranslate">GOARCH="amd64" GOHOSTARCH="amd64" GOHOSTOS="linux" GOOS="linux" GORACE="" GO15VENDOREXPERIMENT="1" CC="gcc" GOGCCFLAGS="-fPIC -m64 -pthread -fmessage-length=0" CXX="g++" CGO_ENABLED="1" </code></pre></div> </li> <li> <p dir="auto">What did you do?<br> When the <code class="notranslate">go test</code> command, with the <code class="notranslate">-coverprofile</code> flag, needs to compile a source file, it reports errors using an incorrect line number.</p> <p dir="auto">The problem can be reproduced running<br> <code class="notranslate">$go test -coverprofile=/tmp/out</code><br> with this source file:<br> <a href="https://play.golang.org/p/WAB6gv-0HC" rel="nofollow">https://play.golang.org/p/WAB6gv-0HC</a><br> and test file:<br> <a href="https://play.golang.org/p/LCkNJTTOQ1" rel="nofollow">https://play.golang.org/p/LCkNJTTOQ1</a></p> </li> <li> <p dir="auto">What did you expect to see?</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="# test/bug01 /tmp/go-build602734163/test/bug01/_test/_obj_test/bug.go:6: undefined: fmt.Printz FAIL test/bug01 [build failed]"><pre class="notranslate"><code class="notranslate"># test/bug01 /tmp/go-build602734163/test/bug01/_test/_obj_test/bug.go:6: undefined: fmt.Printz FAIL test/bug01 [build failed] </code></pre></div> </li> <li> <p dir="auto">What did you see instead?</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="# test/bug01 /tmp/go-build602734163/test/bug01/_test/_obj_test/bug.go:7: undefined: fmt.Printz FAIL test/bug01 [build failed]"><pre class="notranslate"><code class="notranslate"># test/bug01 /tmp/go-build602734163/test/bug01/_test/_obj_test/bug.go:7: undefined: fmt.Printz FAIL test/bug01 [build failed] </code></pre></div> </li> </ol>
<pre class="notranslate">What steps will reproduce the problem? 1. Create a test containing a syntax error, such as <a href="http://play.golang.org/p/cIDNFBtU7Z" rel="nofollow">http://play.golang.org/p/cIDNFBtU7Z</a> 2. go test . 3. go test . -coverprofile=c.out What is the expected output? Both invocations of go test report the syntax error in the same place. What do you see instead? $ go test . ... ./simpletest.go:8: undefined: hi ... $ go test . -coverprofile=c.out ... /var/folders/jw/xrvq7wz95p5bwvjyx9yc2npm09k844/T/go-build500502516/.../simpletest.go:9: undefined: hi ... Note that with -coverprofile, the error is (incorrectly) reported as being on line 9. Which version are you using? (run 'go version') go version devel +6b0ef65315eb Wed Sep 04 13:26:49 2013 -0700 darwin/amd64 Please provide any additional information below. Introduced since go 1.1.1.</pre>
1
<h5 dir="auto">ISSUE TYPE</h5> <ul dir="auto"> <li>Bug Report</li> </ul> <h5 dir="auto">COMPONENT NAME</h5> <p dir="auto">Ansible main program</p> <h5 dir="auto">ANSIBLE VERSION</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="root@docker-build-test:/mnt/src/ansible/ansible/bin# ./ansible --version Traceback (most recent call last): File &quot;./ansible&quot;, line 46, in &lt;module&gt; from ansible.module_utils._text import to_text ImportError: No module named _text "><pre class="notranslate"><code class="notranslate">root@docker-build-test:/mnt/src/ansible/ansible/bin# ./ansible --version Traceback (most recent call last): File "./ansible", line 46, in &lt;module&gt; from ansible.module_utils._text import to_text ImportError: No module named _text </code></pre></div> <h5 dir="auto">CONFIGURATION</h5> <p dir="auto">Building <code class="notranslate">ansible</code> from source. There is a system <code class="notranslate">ansible</code> installed, v2.0.0.2 installed from Ubuntu 16.04 for aarch64 .</p> <h5 dir="auto">OS / ENVIRONMENT</h5> <p dir="auto">Ubuntu 16.04 on ARMv8 (aarch64) on 96-core server on Packet.net</p> <h5 dir="auto">SUMMARY</h5> <p dir="auto">After I installed a bunch of test dependencies, all tests pass; but when I try to run <code class="notranslate">ansible --version</code> from the <code class="notranslate">bin/</code> directory of the distribution, that fails.</p> <p dir="auto">A similar bug identified (though not exactly the same) is <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="191036573" data-permission-text="Title is private" data-url="https://github.com/ansible/ansible/issues/18582" data-hovercard-type="issue" data-hovercard-url="/ansible/ansible/issues/18582/hovercard" href="https://github.com/ansible/ansible/issues/18582">#18582</a>.</p> <h5 dir="auto">STEPS TO REPRODUCE</h5> <p dir="auto">Pull the current distribution from github, this is on origin/devel.</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="# git status On branch devel Your branch is up-to-date with 'origin/devel'."><pre class="notranslate"><code class="notranslate"># git status On branch devel Your branch is up-to-date with 'origin/devel'. </code></pre></div> <h5 dir="auto">EXPECTED RESULTS</h5> <p dir="auto">I expected <code class="notranslate">ansible --version</code> to print the version number.</p> <h5 dir="auto">ACTUAL RESULTS</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="root@docker-build-test:/mnt/src/ansible/ansible/bin# ./ansible -vvvv --version Traceback (most recent call last): File &quot;./ansible&quot;, line 46, in &lt;module&gt; from ansible.module_utils._text import to_text ImportError: No module named _text "><pre class="notranslate"><code class="notranslate">root@docker-build-test:/mnt/src/ansible/ansible/bin# ./ansible -vvvv --version Traceback (most recent call last): File "./ansible", line 46, in &lt;module&gt; from ansible.module_utils._text import to_text ImportError: No module named _text </code></pre></div>
<h5 dir="auto">ISSUE TYPE</h5> <ul dir="auto"> <li>Bug Report</li> </ul> <h5 dir="auto">COMPONENT NAME</h5> <ul dir="auto"> <li>Ansible</li> </ul> <h5 dir="auto">ANSIBLE VERSION</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Name : ansible Arch : noarch Version : 2.2.0.0 Release : 3.el6 Size : 22 M Repo : installed From repo : epel-testing Summary : SSH-based configuration management, deployment, and task execution system URL : http://ansible.com License : GPLv3+"><pre class="notranslate"><code class="notranslate">Name : ansible Arch : noarch Version : 2.2.0.0 Release : 3.el6 Size : 22 M Repo : installed From repo : epel-testing Summary : SSH-based configuration management, deployment, and task execution system URL : http://ansible.com License : GPLv3+ </code></pre></div> <h5 dir="auto">CONFIGURATION</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="inventory = /etc/ansible/hosts remote_tmp = $HOME/.ansible/tmp pattern = * forks = 5 poll_interval = 15 sudo_user = drone transport = smart module_lang = C gathering = implicit host_key_checking = False sudo_exe = sudo timeout = 10 log_path = /var/log/ansible.log jinja2_extensions = jinja2.ext.do,jinja2.ext.i18n ansible_managed = Ansible managed: {file} modified on %Y-%m-%d %H:%M:%S by {uid} on {host} display_skipped_hosts = True action_plugins = /usr/share/ansible_plugins/action_plugins callback_plugins = /usr/share/ansible_plugins/callback_plugins connection_plugins = /usr/share/ansible_plugins/connection_plugins lookup_plugins = /usr/share/ansible_plugins/lookup_plugins vars_plugins = /usr/share/ansible_plugins/vars_plugins filter_plugins = /usr/share/ansible_plugins/filter_plugins fact_caching = memory [privilege_escalation] [paramiko_connection] [ssh_connection] pipelining = True scp_if_ssh = True "><pre class="notranslate"><code class="notranslate">inventory = /etc/ansible/hosts remote_tmp = $HOME/.ansible/tmp pattern = * forks = 5 poll_interval = 15 sudo_user = drone transport = smart module_lang = C gathering = implicit host_key_checking = False sudo_exe = sudo timeout = 10 log_path = /var/log/ansible.log jinja2_extensions = jinja2.ext.do,jinja2.ext.i18n ansible_managed = Ansible managed: {file} modified on %Y-%m-%d %H:%M:%S by {uid} on {host} display_skipped_hosts = True action_plugins = /usr/share/ansible_plugins/action_plugins callback_plugins = /usr/share/ansible_plugins/callback_plugins connection_plugins = /usr/share/ansible_plugins/connection_plugins lookup_plugins = /usr/share/ansible_plugins/lookup_plugins vars_plugins = /usr/share/ansible_plugins/vars_plugins filter_plugins = /usr/share/ansible_plugins/filter_plugins fact_caching = memory [privilege_escalation] [paramiko_connection] [ssh_connection] pipelining = True scp_if_ssh = True </code></pre></div> <h5 dir="auto">OS / ENVIRONMENT</h5> <ul dir="auto"> <li>Red Hat Enterprise Linux Server release 6.8 (Santiago)</li> </ul> <h5 dir="auto">SUMMARY</h5> <h5 dir="auto">STEPS TO REPRODUCE</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Update from ansible 2.1.0.0 to 2.2 by YUM from the epel-testing repo."><pre class="notranslate"><code class="notranslate">Update from ansible 2.1.0.0 to 2.2 by YUM from the epel-testing repo. </code></pre></div> <h5 dir="auto">EXPECTED RESULTS</h5> <p dir="auto">Ansible ansible-2.2.0.0-3.el6.noarch working fine.</p> <h5 dir="auto">ACTUAL RESULTS</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="ansible --version Traceback (most recent call last): File &quot;/usr/bin/ansible&quot;, line 46, in &lt;module&gt; from ansible.module_utils._text import to_text ImportError: No module named _text "><pre class="notranslate"><code class="notranslate">ansible --version Traceback (most recent call last): File "/usr/bin/ansible", line 46, in &lt;module&gt; from ansible.module_utils._text import to_text ImportError: No module named _text </code></pre></div>
1
<p dir="auto">Currently when you use quick open to "git checkout branch", the branch will be created even if the branch already exists in the remote. The command line does a better job and connects to the existing branch in that case.</p>
<p dir="auto">When I press F1 and type Git Chechout [SPACE], I see that I can checkout each tag version of my project, but I don't have any branch appearing in the list!</p> <p dir="auto">When I git checkout manually by branch with a command tool, it's working well.<br> Then, when I go back to vscode, I can work well with by branch.</p> <p dir="auto">I would be nice to have the branchs in the list</p>
1
<p dir="auto">Feature to put a future instance task ON HOLD is missing in Airflow. Is there any way to achieve this functionality in Airflow. Appreciate any help.</p>
<h3 dir="auto">Apache Airflow Provider(s)</h3> <p dir="auto">google</p> <h3 dir="auto">Versions of Apache Airflow Providers</h3> <p dir="auto">google-cloud-bigquery==2.34.4</p> <h3 dir="auto">Apache Airflow version</h3> <p dir="auto">2.5.2+astro.2</p> <h3 dir="auto">Operating System</h3> <p dir="auto">OS X</p> <h3 dir="auto">Deployment</h3> <p dir="auto">Astronomer</p> <h3 dir="auto">Deployment details</h3> <p dir="auto"><em>No response</em></p> <h3 dir="auto">What happened</h3> <p dir="auto">When using <code class="notranslate">SQLExecuteQueryOperator()</code> it is not possible to pass in the <code class="notranslate">priority</code> argument which is <a href="https://cloud.google.com/bigquery/docs/running-queries" rel="nofollow">important for running jobs on bigquery</a>. By default, bigquery operators will run in 'INTERACTIVE' priority rather than 'BATCH' priority.</p> <p dir="auto">The typical way to specify this is to pass dictionary through <code class="notranslate">configuration</code> or <code class="notranslate">api_resource_configs</code>. When using <code class="notranslate">SQLExecuteQueryOperator()</code> I could not find a satisfactory workaround other than switching to use the bigquery specific <code class="notranslate">BigQueryInsertJobOperator()</code></p> <h3 dir="auto">What you think should happen instead</h3> <p dir="auto">The most straightforward workaround would be to use provider specific QueryOperator, however, I think it would be better to have more standardization around using <code class="notranslate">common</code> provider.</p> <p dir="auto">Other possible solutions are</p> <ol dir="auto"> <li>tweak <code class="notranslate">_api_resource_configs_duplication_check</code> to allow priority that's passed in as config to overwrite</li> <li>remove <code class="notranslate">priority: str = "INTERACTIVE",</code> from <code class="notranslate">run_query</code> function definition and instead default it (if unset) right before execution in <code class="notranslate">insert_job</code> (allowing it to pass duplicate check)</li> <li>make config and priority more of first class parameters within bigquery hook/operators (it's missing in places like <code class="notranslate">get_pandas_df</code>) - this is prob a much longer term solution</li> </ol> <h3 dir="auto">How to reproduce</h3> <div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="SQLExecuteQueryOperator( ... hook_params={ &quot;use_legacy_sql&quot;: False, &quot;location&quot;: &quot;us&quot;, &quot;api_resource_configs&quot;: {&quot;query&quot;: {&quot;useQueryCache&quot;: False, &quot;priority&quot;: &quot;BATCH&quot;}}, }, )"><pre class="notranslate"><span class="pl-v">SQLExecuteQueryOperator</span>( ... <span class="pl-s1">hook_params</span><span class="pl-c1">=</span>{ <span class="pl-s">"use_legacy_sql"</span>: <span class="pl-c1">False</span>, <span class="pl-s">"location"</span>: <span class="pl-s">"us"</span>, <span class="pl-s">"api_resource_configs"</span>: {<span class="pl-s">"query"</span>: {<span class="pl-s">"useQueryCache"</span>: <span class="pl-c1">False</span>, <span class="pl-s">"priority"</span>: <span class="pl-s">"BATCH"</span>}}, }, )</pre></div> <p dir="auto">will fail with</p> <div class="highlight highlight-text-adblock notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="Traceback (most recent call last): File &quot;&lt;stdin&gt;&quot;, line 1, in &lt;module&gt; File &quot;/usr/local/lib/python3.9/site-packages/airflow/providers/common/sql/operators/sql.py&quot;, line 260, in execute output = hook.run( File &quot;/usr/local/lib/python3.9/site-packages/airflow/providers/common/sql/hooks/sql.py&quot;, line 349, in run self._run_command(cur, sql_statement, parameters) File &quot;/usr/local/lib/python3.9/site-packages/airflow/providers/common/sql/hooks/sql.py&quot;, line 380, in _run_command cur.execute(sql_statement) File &quot;/usr/local/lib/python3.9/site-packages/airflow/providers/google/cloud/hooks/bigquery.py&quot;, line 2701, in execute self.job_id = self.hook.run_query(sql) File &quot;/usr/local/lib/python3.9/site-packages/airflow/providers/google/cloud/hooks/bigquery.py&quot;, line 2141, in run_query _api_resource_configs_duplication_check(param_name, param, configuration[&quot;query&quot;]) File &quot;/usr/local/lib/python3.9/site-packages/airflow/providers/google/cloud/hooks/bigquery.py&quot;, line 2942, in _api_resource_configs_duplication_check raise ValueError( ValueError: Values of priority param are duplicated. api_resource_configs contained priority param in `query` config and priority was also provided with arg to run_query() method. Please remove duplicates."><pre class="notranslate">Traceback (most recent call last): File "&lt;stdin&gt;", line 1, in &lt;module&gt; File "/usr/local/lib/python3.9/site-packages/airflow/providers/common/sql/operators/sql.py", line 260, in execute output = hook.run( File "/usr/local/lib/python3.9/site-packages/airflow/providers/common/sql/hooks/sql.py", line 349, in run self._run_command(cur, sql_statement, parameters) File "/usr/local/lib/python3.9/site-packages/airflow/providers/common/sql/hooks/sql.py", line 380, in _run_command cur.execute(sql_statement) File "/usr/local/lib/python3.9/site-packages/airflow/providers/google/cloud/hooks/bigquery.py", line 2701, in execute self.job_id = self.hook.run_query(sql) File "/usr/local/lib/python3.9/site-packages/airflow/providers/google/cloud/hooks/bigquery.py", line 2141, in run_query _api_resource_configs_duplication_check(param_name, param, configuration["query"]) File "/usr/local/lib/python3.9/site-packages/airflow/providers/google/cloud/hooks/bigquery.py", line 2942, in _api_resource_configs_duplication_check raise ValueError( ValueError: Values of priority param are duplicated. api_resource_configs contained priority param in `query` config and priority was also provided with arg to run_query() method. Please remove duplicates.</pre></div> <p dir="auto">Since <code class="notranslate">run_query()</code> has a default value for <code class="notranslate">priority</code> and also getting it from <code class="notranslate">configuration</code></p> <p dir="auto">Although the run_query function within hook has parameter for priority, the hook itself does not have this parameter so the following fails</p> <div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="SQLExecuteQueryOperator( ... hook_params={ &quot;use_legacy_sql&quot;: False, &quot;location&quot;: &quot;us&quot;, &quot;priority&quot;: &quot;BATCH&quot;, &quot;api_resource_configs&quot;: {&quot;query&quot;: {&quot;useQueryCache&quot;: False}}, }, )"><pre class="notranslate"><span class="pl-v">SQLExecuteQueryOperator</span>( ... <span class="pl-s1">hook_params</span><span class="pl-c1">=</span>{ <span class="pl-s">"use_legacy_sql"</span>: <span class="pl-c1">False</span>, <span class="pl-s">"location"</span>: <span class="pl-s">"us"</span>, <span class="pl-s">"priority"</span>: <span class="pl-s">"BATCH"</span>, <span class="pl-s">"api_resource_configs"</span>: {<span class="pl-s">"query"</span>: {<span class="pl-s">"useQueryCache"</span>: <span class="pl-c1">False</span>}}, }, )</pre></div> <p dir="auto">error msg</p> <div class="highlight highlight-text-adblock notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="Traceback (most recent call last): File &quot;&lt;stdin&gt;&quot;, line 1, in &lt;module&gt; File &quot;/usr/local/lib/python3.9/site-packages/airflow/providers/common/sql/operators/sql.py&quot;, line 255, in execute hook = self.get_db_hook() File &quot;/usr/local/lib/python3.9/site-packages/airflow/providers/common/sql/operators/sql.py&quot;, line 179, in get_db_hook return self._hook File &quot;/usr/local/lib/python3.9/functools.py&quot;, line 993, in __get__ val = self.func(instance) File &quot;/usr/local/lib/python3.9/site-packages/airflow/providers/common/sql/operators/sql.py&quot;, line 142, in _hook hook = conn.get_hook(hook_params=self.hook_params) File &quot;/usr/local/lib/python3.9/site-packages/airflow/models/connection.py&quot;, line 344, in get_hook return hook_class(**{hook.connection_id_attribute_name: self.conn_id}, **hook_params) TypeError: __init__() got an unexpected keyword argument 'priority'"><pre class="notranslate">Traceback (most recent call last): File "&lt;stdin&gt;", line 1, in &lt;module&gt; File "/usr/local/lib/python3.9/site-packages/airflow/providers/common/sql/operators/sql.py", line 255, in execute hook = self.get_db_hook() File "/usr/local/lib/python3.9/site-packages/airflow/providers/common/sql/operators/sql.py", line 179, in get_db_hook return self._hook File "/usr/local/lib/python3.9/functools.py", line 993, in __get__ val = self.func(instance) File "/usr/local/lib/python3.9/site-packages/airflow/providers/common/sql/operators/sql.py", line 142, in _hook hook = conn.get_hook(hook_params=self.hook_params) File "/usr/local/lib/python3.9/site-packages/airflow/models/connection.py", line 344, in get_hook return hook_class(<span class="pl-k">**</span>{hook.connection_id_attribute_name: self.conn_id}, <span class="pl-k">**</span>hook_params) TypeError: __init__() got an unexpected keyword argument 'priority'</pre></div> <p dir="auto">I put in a PR to add <code class="notranslate">priority</code> to the hook but maybe this isn't the right general solution <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="1669216886" data-permission-text="Title is private" data-url="https://github.com/apache/airflow/issues/30655" data-hovercard-type="pull_request" data-hovercard-url="/apache/airflow/pull/30655/hovercard" href="https://github.com/apache/airflow/pull/30655">#30655</a></p> <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" checked=""> 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>
0
<h1 dir="auto">Bug report</h1> <p dir="auto"><strong>What is the current behavior?</strong><br> <code class="notranslate">"build": "NODE_ENV=production webpack -p --config webpack.config.prod.js"</code></p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="vendors~app.1119d1fb9353e3bd9353.js:77 Error: Minified React error #130; visit https://reactjs.org/docs/error-decoder.html?invariant=130&amp;args[]=undefined&amp;args[]= for the full message or use the non-minified dev environment for full errors and additional helpful warnings. at xu (vendors~app.1119d1fb9353e3bd9353.js:77) at d (vendors~app.1119d1fb9353e3bd9353.js:77) at v (vendors~app.1119d1fb9353e3bd9353.js:77) at vendors~app.1119d1fb9353e3bd9353.js:77 at ji (vendors~app.1119d1fb9353e3bd9353.js:77) at mc (vendors~app.1119d1fb9353e3bd9353.js:77) at lu (vendors~app.1119d1fb9353e3bd9353.js:77) at cu (vendors~app.1119d1fb9353e3bd9353.js:77) at Zc (vendors~app.1119d1fb9353e3bd9353.js:77) at vendors~app.1119d1fb9353e3bd9353.js:77"><pre class="notranslate"><code class="notranslate">vendors~app.1119d1fb9353e3bd9353.js:77 Error: Minified React error #130; visit https://reactjs.org/docs/error-decoder.html?invariant=130&amp;args[]=undefined&amp;args[]= for the full message or use the non-minified dev environment for full errors and additional helpful warnings. at xu (vendors~app.1119d1fb9353e3bd9353.js:77) at d (vendors~app.1119d1fb9353e3bd9353.js:77) at v (vendors~app.1119d1fb9353e3bd9353.js:77) at vendors~app.1119d1fb9353e3bd9353.js:77 at ji (vendors~app.1119d1fb9353e3bd9353.js:77) at mc (vendors~app.1119d1fb9353e3bd9353.js:77) at lu (vendors~app.1119d1fb9353e3bd9353.js:77) at cu (vendors~app.1119d1fb9353e3bd9353.js:77) at Zc (vendors~app.1119d1fb9353e3bd9353.js:77) at vendors~app.1119d1fb9353e3bd9353.js:77 </code></pre></div> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/44250267/88613214-90822280-d0bf-11ea-88dd-461a505b919d.png"><img src="https://user-images.githubusercontent.com/44250267/88613214-90822280-d0bf-11ea-88dd-461a505b919d.png" alt="image" style="max-width: 100%;"></a></p> <p dir="auto">Trying with -d option its working fine.<br> "build": "NODE_ENV=development webpack -d --config webpack.config.prod.js"</p> <p dir="auto"><strong>If the current behavior is a bug, please provide the steps to reproduce.</strong></p> <ul dir="auto"> <li>Create a react project with antd v4.0.0 and use the form components with the syntax getFieldDecorator().</li> </ul> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" &lt;FormItem label=&quot;Type&quot; labelCol={{ span: 7 }} wrapperCol={{ span: 17 }}&gt; {getFieldDecorator('type', { initialValue: 'DYNAMIC', rules: [ { required: true, message: 'Please select type!', }, ],fi })( &lt;RadioGroup&gt; &lt;RadioButton value=&quot;DYNAMIC&quot;&gt;Dynamic&lt;/RadioButton&gt; &lt;RadioButton value=&quot;STATIC&quot;&gt;Static&lt;/RadioButton&gt; &lt;/RadioGroup&gt;, )} &lt;/FormItem&gt;"><pre class="notranslate"><code class="notranslate"> &lt;FormItem label="Type" labelCol={{ span: 7 }} wrapperCol={{ span: 17 }}&gt; {getFieldDecorator('type', { initialValue: 'DYNAMIC', rules: [ { required: true, message: 'Please select type!', }, ],fi })( &lt;RadioGroup&gt; &lt;RadioButton value="DYNAMIC"&gt;Dynamic&lt;/RadioButton&gt; &lt;RadioButton value="STATIC"&gt;Static&lt;/RadioButton&gt; &lt;/RadioGroup&gt;, )} &lt;/FormItem&gt; </code></pre></div> <ul dir="auto"> <li>Adding -p option to build the react project.<br> reproduce test repo - <a href="https://github.com/liho98/webpack-4.44.0-bug">https://github.com/liho98/webpack-4.44.0-bug</a></li> </ul> <p dir="auto"><strong>What is the expected behavior?</strong><br> It should be working fine as webpack version v4.43.0.</p> <p dir="auto"><strong>Other relevant information:</strong><br> webpack version: v4.44.0<br> Node.js version: v12.16.1<br> Operating System: macOS Catalina 10.15.4<br> Additional tools: Antd v4.0.0</p>
<p dir="auto">We are running a fairly large project with 922 JavaScript and .less files being watched by Webpack's watch function on OS X (10.10.2) running on Node.js 5.2.0. During the initial build, or right when it's done with that, the following happens:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamScheduleWithRunLoop: failed to create the cffd 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamCreate: _FSEventStreamCreate: ERROR: could not open kqueue 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamScheduleWithRunLoop(): failed assertion 'streamRef != NULL' 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamStart(): failed assertion 'streamRef != NULL' 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamStop(): failed assertion 'streamRef != NULL' 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamUnscheduleFromRunLoop(): failed assertion 'streamRef != NULL' 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamInvalidate(): failed assertion 'streamRef != NULL' 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamRelease(): failed assertion 'streamRef != NULL'"><pre class="notranslate"><code class="notranslate">2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamScheduleWithRunLoop: failed to create the cffd 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamCreate: _FSEventStreamCreate: ERROR: could not open kqueue 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamScheduleWithRunLoop(): failed assertion 'streamRef != NULL' 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamStart(): failed assertion 'streamRef != NULL' 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamStop(): failed assertion 'streamRef != NULL' 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamUnscheduleFromRunLoop(): failed assertion 'streamRef != NULL' 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamInvalidate(): failed assertion 'streamRef != NULL' 2015-12-10 18:01 node[76106] (FSEvents.framework) FSEventStreamRelease(): failed assertion 'streamRef != NULL' </code></pre></div> <p dir="auto">I've made an issue about this at <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="121436324" data-permission-text="Title is private" data-url="https://github.com/libuv/libuv/issues/645" data-hovercard-type="issue" data-hovercard-url="/libuv/libuv/issues/645/hovercard" href="https://github.com/libuv/libuv/issues/645">libuv/libuv#645</a>, but I was wondering if this is something other Webpack users have also suffered from and if a workaround is known. Thanks.</p>
0
<p dir="auto">The <a href="https://github.com/numpy/numpy/blob/master/doc/source/user/building.rst#prerequisites">build section of the user docs</a> says:</p> <blockquote> <p dir="auto">Compilers</p> <p dir="auto">To build any extension modules for Python, you'll need a C compiler. Various NumPy modules use FORTRAN 77 libraries, so you'll also need a FORTRAN 77 compiler installed.</p> </blockquote> <p dir="auto">This is incorrect, and inconsistent with the <a href="https://github.com/numpy/numpy/blob/master/INSTALL.rst.txt#choosing-compilers">instructions in the main install file</a>, which state:</p> <blockquote> <p dir="auto">Fortran compiler isn't needed to build Numpy itself; the numpy.f2py tests will be skipped when running the test suite if no Fortran compiler is available. For building Scipy a Fortran compiler is needed though, so we include some details on Fortran compilers in the rest of this section.</p> </blockquote> <p dir="auto">The former is probably a remnant of the old scipy docs.</p> <p dir="auto">I'm happy to submit a fix, but it would be good to know how folks want to deal with the duplication of those files. As long as that information is carried in two duplicate locations, problems of divergence will keep reappearing. Ideally there should be only one location to describe the source build process.</p>
<p dir="auto">The newest version of numpy raises an exception when being imported. I am using Python 3.9 64-bit on Windows 10.</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 # raises a RuntimeError"><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-c"># raises a RuntimeError</span></pre></div> <h3 dir="auto">Error message:</h3> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ python -c &quot;import numpy&quot; ** On entry to DGEBAL parameter number 3 had an illegal value ** On entry to DGEHRD parameter number 2 had an illegal value ** On entry to DORGHR DORGQR parameter number 2 had an illegal value ** On entry to DHSEQR parameter number 4 had an illegal value Traceback (most recent call last): File &quot;&lt;string&gt;&quot;, line 1, in &lt;module&gt; File &quot;C:\Users\Us\AppData\Roaming\Python\Python39\site-packages\numpy\__init__.py&quot;, line 305, in &lt;module&gt; _win_os_check() File &quot;C:\Users\Us\AppData\Roaming\Python\Python39\site-packages\numpy\__init__.py&quot;, line 302, in _win_os_check raise RuntimeError(msg.format(__file__)) from None RuntimeError: The current Numpy installation ('C:\\Users\\Us\\AppData\\Roaming\\Python\\Python39\\site-packages\\numpy\\__init__.py') fails to pass a sanity check due to a bug in the windows runtime. See this issue for more information: https://lnkd.in/dg_VxHr"><pre class="notranslate"><code class="notranslate">$ python -c "import numpy" ** On entry to DGEBAL parameter number 3 had an illegal value ** On entry to DGEHRD parameter number 2 had an illegal value ** On entry to DORGHR DORGQR parameter number 2 had an illegal value ** On entry to DHSEQR parameter number 4 had an illegal value Traceback (most recent call last): File "&lt;string&gt;", line 1, in &lt;module&gt; File "C:\Users\Us\AppData\Roaming\Python\Python39\site-packages\numpy\__init__.py", line 305, in &lt;module&gt; _win_os_check() File "C:\Users\Us\AppData\Roaming\Python\Python39\site-packages\numpy\__init__.py", line 302, in _win_os_check raise RuntimeError(msg.format(__file__)) from None RuntimeError: The current Numpy installation ('C:\\Users\\Us\\AppData\\Roaming\\Python\\Python39\\site-packages\\numpy\\__init__.py') fails to pass a sanity check due to a bug in the windows runtime. See this issue for more information: https://lnkd.in/dg_VxHr </code></pre></div> <h3 dir="auto">NumPy/Python version information:</h3> <p dir="auto">NumPy 1.19.4<br> Python 3.9.1<br> <a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/63655612/131376747-64859b5f-bc29-4a5a-9fce-950f662a8e3c.png"><img src="https://user-images.githubusercontent.com/63655612/131376747-64859b5f-bc29-4a5a-9fce-950f662a8e3c.png" alt="5b7544ad-bbfb-4ca3-886c-bc67e55ed5a9" style="max-width: 100%;"></a></p>
0
<p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/scipy/ticket/726" rel="nofollow">http://projects.scipy.org/scipy/ticket/726</a> on 2008-08-24 by <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/ilanschnell/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/ilanschnell">@ilanschnell</a>, assigned to unknown.</em></p> <p dir="auto">I have implemented, documented and tested a new function<br> called 'fast_vectorize'. This function is intended to be used<br> as a decorator, and it's purpose is to easily create Ufunc<br> objects for a given python function. The function translates a<br> Python function, actually an RPython (resticted Python) function,<br> which is still valid Python, into C using the PyPy translator.<br> Therefore this functions has a dependency on pypy. However, pypy<br> is imported in a lazy manner, such that scipy itself will not depend<br> on pypy, which is a big project.</p> <p dir="auto">Included in the patch is the core implementation, tests, benchmarks,<br> as well as examples.</p> <p dir="auto">I have tested this patch against latest svn numpy trunk (which<br> is required for the current scipy trunk), Python2.4 on SuSE Linux<br> and Python2.5 on OSX10.4.</p> <p dir="auto">To apply the patch, you need to go change to the scipy root and run patch:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ cd scipy $ ls FORMAT_GUIDELINES.txt MANIFEST.in setupegg.py THANKS.txt INSTALL.txt new_manifest.sh setup.py TOCHANGE.txt LATEST.txt README.txt setupscons.py LICENSE.txt scipy site.cfg.example $ md5sum path_to/fast_vec.diff 9ecfa0351b5742a18819cd241e3f54c9 $ patch -p1 &lt; path_to/fast_vec.diff"><pre class="notranslate"><code class="notranslate">$ cd scipy $ ls FORMAT_GUIDELINES.txt MANIFEST.in setupegg.py THANKS.txt INSTALL.txt new_manifest.sh setup.py TOCHANGE.txt LATEST.txt README.txt setupscons.py LICENSE.txt scipy site.cfg.example $ md5sum path_to/fast_vec.diff 9ecfa0351b5742a18819cd241e3f54c9 $ patch -p1 &lt; path_to/fast_vec.diff </code></pre></div>
<p dir="auto">Numpy 1.17 has adopted the C version of pocketfft (<a href="https://gitlab.mpcdf.mpg.de/mtr/pocketfft" rel="nofollow">https://gitlab.mpcdf.mpg.de/mtr/pocketfft</a>) as their FFT implementation. Since then I have been working on the pocketfft code, converted it to C++ and added a Python wrapper.</p> <p dir="auto">The new library (<a href="https://gitlab.mpcdf.mpg.de/mtr/pypocketfft" rel="nofollow">https://gitlab.mpcdf.mpg.de/mtr/pypocketfft</a>)</p> <ul dir="auto"> <li>supports complex and half-complex transforms, also Hartley transforms</li> <li>supports float, double and long double precision</li> <li>supports multi-dimensional FFTs</li> <li>uses CPU vector instructions for ndim&gt;1 (i.e. it computes several 1D FFTs dimultaneously).</li> <li>uses the Bluestein algorithm for FFTs with large prime factors</li> </ul> <p dir="auto">Performance is significantly better than FFTPACK's, accuracy as well. For benchmarks and dicussion see <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="357329719" data-permission-text="Title is private" data-url="https://github.com/numpy/numpy/issues/11888" data-hovercard-type="pull_request" data-hovercard-url="/numpy/numpy/pull/11888/hovercard" href="https://github.com/numpy/numpy/pull/11888">numpy/numpy#11888</a> and recent comments in <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="357136402" data-permission-text="Title is private" data-url="https://github.com/numpy/numpy/issues/11885" data-hovercard-type="issue" data-hovercard-url="/numpy/numpy/issues/11885/hovercard" href="https://github.com/numpy/numpy/issues/11885">numpy/numpy#11885</a>.<br> I have also added an interface which is very similar to <code class="notranslate">scipy.fftpack</code>.</p> <p dir="auto">Potential problems for adaptation:</p> <ul dir="auto"> <li>written in C++, requires a C++11 compiler and pybind11</li> <li>cosine/sine transforms are missing, and I probaly won't have the time ti implement them. They would have to be added on top of the existing machinery.</li> </ul> <p dir="auto">Would this be of interest for Scipy?</p>
0
<p dir="auto">I am using TF2.0 latest nightly build and I am trying to train LSTM model for text classification on very large dataset of 16455928 sentences. For embedding layer in the model, I have a vocab size of 366856 and I used 1000 as embedding dimension value in it, on which the 2 GPUs(Tesla T4 from Google) ran out of memory.<br> Since I can not lower the size of vocabulary (maybe there is a way), so I used lower value for embedding dimension (100) on which the model starts training. Now my question is if there is a way I can use higher value of embedding dimension?. Maybe by putting set of layers of my model on different GPUs, if so then what is the way in TF2.0? Also, will using more number GPUs help? Thank you!</p>
<p dir="auto"><em>Please make sure that this is a bug. As per our <a href="https://github.com/tensorflow/tensorflow/blob/master/ISSUES.md">GitHub Policy</a>, we only address code/doc bugs, performance issues, feature requests and build/installation issues on GitHub. tag:bug_template</em></p> <p dir="auto"><strong>System information</strong></p> <ul dir="auto"> <li>Have I written custom code (as opposed to using a stock example script provided in TensorFlow): Yes</li> <li>OS Platform and Distribution (e.g., Linux Ubuntu 16.04):<br> Mac Sierra</li> <li>Mobile device (e.g. iPhone 8, Pixel 2, Samsung Galaxy) if the issue happens on mobile device:</li> <li>TensorFlow installed from (source or binary):<br> binary</li> <li>TensorFlow version (use command below):<br> v1.12.0-rc2-3-ga6d8ffae09 1.12.0</li> <li>Python version:<br> 3.6.5</li> <li>Bazel version (if compiling from source):</li> <li>GCC/Compiler version (if compiling from source):</li> <li>CUDA/cuDNN version:<br> no Cuda</li> <li>GPU model and memory:<br> not using GPU</li> </ul> <p dir="auto">You can collect some of this information using our environment capture <a href="https://github.com/tensorflow/tensorflow/tree/master/tools/tf_env_collect.sh">script</a><br> You can also obtain the TensorFlow version with<br> python -c "import tensorflow as tf; print(tf.GIT_VERSION, tf.VERSION)"</p> <p dir="auto"><strong>Describe the current behavior</strong><br> I'm trying Magenta from Google Brain. When I run <code class="notranslate">python onsets_frames_transcription_transcribe.py --acoustic_run_dir /Users/lorenzori/Downloads/maestro_checkpoint ~/Downloads/test_audio.wav</code> the script starts, then it ends with:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="/Users/lorenzori/virtualenvs/test-audio/lib/python3.6/site-packages/tensorflow/python/util/tf_inspect.py:75: DeprecationWarning: inspect.getargspec() is deprecated, use inspect.signature() or inspect.getfullargspec() return _inspect.getargspec(target) /Users/lorenzori/virtualenvs/test-audio/lib/python3.6/site-packages/tensorflow/python/util/tf_inspect.py:75: DeprecationWarning: inspect.getargspec() is deprecated, use inspect.signature() or inspect.getfullargspec() return _inspect.getargspec(target) /Users/lorenzori/virtualenvs/test-audio/lib/python3.6/site-packages/tensorflow/python/util/tf_inspect.py:75: DeprecationWarning: inspect.getargspec() is deprecated, use inspect.signature() or inspect.getfullargspec() return _inspect.getargspec(target) 2019-01-10 17:49:57.458805: I tensorflow/core/platform/cpu_feature_guard.cc:141] Your CPU supports instructions that this TensorFlow binary was not compiled to use: AVX2 FMA INFO:tensorflow:Restoring parameters from /Users/lorenzori/Downloads/maestro_checkpoint/train/model.ckpt-maestro INFO:tensorflow:Starting transcription for /Users/lorenzori/Downloads/test_audio.wav... INFO:tensorflow:Processing file... INFO:tensorflow:Running inference... [1] 20612 bus error python onsets_frames_transcription_transcribe.py --acoustic_run_dir"><pre class="notranslate"><code class="notranslate">/Users/lorenzori/virtualenvs/test-audio/lib/python3.6/site-packages/tensorflow/python/util/tf_inspect.py:75: DeprecationWarning: inspect.getargspec() is deprecated, use inspect.signature() or inspect.getfullargspec() return _inspect.getargspec(target) /Users/lorenzori/virtualenvs/test-audio/lib/python3.6/site-packages/tensorflow/python/util/tf_inspect.py:75: DeprecationWarning: inspect.getargspec() is deprecated, use inspect.signature() or inspect.getfullargspec() return _inspect.getargspec(target) /Users/lorenzori/virtualenvs/test-audio/lib/python3.6/site-packages/tensorflow/python/util/tf_inspect.py:75: DeprecationWarning: inspect.getargspec() is deprecated, use inspect.signature() or inspect.getfullargspec() return _inspect.getargspec(target) 2019-01-10 17:49:57.458805: I tensorflow/core/platform/cpu_feature_guard.cc:141] Your CPU supports instructions that this TensorFlow binary was not compiled to use: AVX2 FMA INFO:tensorflow:Restoring parameters from /Users/lorenzori/Downloads/maestro_checkpoint/train/model.ckpt-maestro INFO:tensorflow:Starting transcription for /Users/lorenzori/Downloads/test_audio.wav... INFO:tensorflow:Processing file... INFO:tensorflow:Running inference... [1] 20612 bus error python onsets_frames_transcription_transcribe.py --acoustic_run_dir </code></pre></div> <p dir="auto">Using lldb I obtain the following info:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Process 19280 stopped * thread #25, stop reason = EXC_BAD_ACCESS (code=2, address=0x700001382000) frame #0: 0x0000000110a24805 libopenblasp-r0.3.0.dev.dylib`dgemm_thread_tn + 1541 libopenblasp-r0.3.0.dev.dylib`dgemm_thread_tn: -&gt; 0x110a24805 &lt;+1541&gt;: xchgq %rdi, -0x40(%rsi) 0x110a24809 &lt;+1545&gt;: xorl %edi, %edi 0x110a2480b &lt;+1547&gt;: xchgq %rdi, (%rsi) 0x110a2480e &lt;+1550&gt;: addq $0x200, %rsi ; imm = 0x200 Target 0: (python) stopped. (lldb) bt * thread #25, stop reason = EXC_BAD_ACCESS (code=2, address=0x700001382000) * frame #0: 0x0000000110a24805 libopenblasp-r0.3.0.dev.dylib`dgemm_thread_tn + 1541 frame #1: 0x00000001108f3e26 libopenblasp-r0.3.0.dev.dylib`cblas_dgemm + 854 frame #2: 0x0000000105564285 multiarray.cpython-36m-darwin.so`cblas_matrixproduct + 4917 frame #3: 0x0000000105529d37 multiarray.cpython-36m-darwin.so`PyArray_MatrixProduct2 + 215 frame #4: 0x000000010552ed1f multiarray.cpython-36m-darwin.so`array_matrixproduct + 191 frame #5: 0x00000001000d1cbe Python`_PyCFunction_FastCallDict + 463 frame #6: 0x00000001001362d6 Python`call_function + 489 frame #7: 0x000000010012f18b Python`_PyEval_EvalFrameDefault + 4811 frame #8: 0x0000000100136a38 Python`_PyEval_EvalCodeWithName + 1719 frame #9: 0x000000010013713b Python`fast_function + 218 frame #10: 0x00000001001362ad Python`call_function + 448 frame #11: 0x000000010012f224 Python`_PyEval_EvalFrameDefault + 4964 frame #12: 0x00000001001373db Python`_PyFunction_FastCall + 121 frame #13: 0x00000001001362ad Python`call_function + 448 frame #14: 0x000000010012f18b Python`_PyEval_EvalFrameDefault + 4811 frame #15: 0x0000000100136a38 Python`_PyEval_EvalCodeWithName + 1719 frame #16: 0x000000010013730b Python`_PyFunction_FastCallDict + 449 frame #17: 0x0000000100099f21 Python`_PyObject_FastCallDict + 196 frame #18: 0x0000000100182073 Python`partial_call + 258 frame #19: 0x0000000100099da2 Python`PyObject_Call + 101 frame #20: 0x000000010012f3f4 Python`_PyEval_EvalFrameDefault + 5428 frame #21: 0x0000000100136a38 Python`_PyEval_EvalCodeWithName + 1719 frame #22: 0x000000010013730b Python`_PyFunction_FastCallDict + 449 frame #23: 0x0000000100099f21 Python`_PyObject_FastCallDict + 196 frame #24: 0x000000010009a044 Python`_PyObject_Call_Prepend + 156 frame #25: 0x0000000100099da2 Python`PyObject_Call + 101 frame #26: 0x00000001000e4460 Python`slot_tp_call + 50 frame #27: 0x0000000100099da2 Python`PyObject_Call + 101 frame #28: 0x00000001212b078e _pywrap_tensorflow_internal.so`tensorflow::PyFuncOp::Compute(tensorflow::OpKernelContext*) + 974 frame #29: 0x000000012bd82422 libtensorflow_framework.so`tensorflow::(anonymous namespace)::ExecutorState::Process(tensorflow::(anonymous namespace)::ExecutorState::TaggedNode, long long) + 6690 frame #30: 0x000000012bd895ba libtensorflow_framework.so`std::__1::__function::__func&lt;std::__1::__bind&lt;void (tensorflow::(anonymous namespace)::ExecutorState::*)(tensorflow::(anonymous namespace)::ExecutorState::TaggedNode, long long), tensorflow::(anonymous namespace)::ExecutorState*, tensorflow::(anonymous namespace)::ExecutorState::TaggedNode const&amp;, long long&amp;&gt;, std::__1::allocator&lt;std::__1::__bind&lt;void (tensorflow::(anonymous namespace)::ExecutorState::*)(tensorflow::(anonymous namespace)::ExecutorState::TaggedNode, long long), tensorflow::(anonymous namespace)::ExecutorState*, tensorflow::(anonymous namespace)::ExecutorState::TaggedNode const&amp;, long long&amp;&gt; &gt;, void ()&gt;::operator()() + 58 frame #31: 0x000000012bdde824 libtensorflow_framework.so`Eigen::NonBlockingThreadPoolTempl&lt;tensorflow::thread::EigenEnvironment&gt;::WorkerLoop(int) + 1876 frame #32: 0x000000012bdddfd4 libtensorflow_framework.so`std::__1::__function::__func&lt;tensorflow::thread::EigenEnvironment::CreateThread(std::__1::function&lt;void ()&gt;)::'lambda'(), std::__1::allocator&lt;tensorflow::thread::EigenEnvironment::CreateThread(std::__1::function&lt;void ()&gt;)::'lambda'()&gt;, void ()&gt;::operator()() + 52 frame #33: 0x000000012be00070 libtensorflow_framework.so`void* std::__1::__thread_proxy&lt;std::__1::tuple&lt;std::__1::function&lt;void ()&gt; &gt; &gt;(void*) + 96 frame #34: 0x00007fffb96b893b libsystem_pthread.dylib`_pthread_body + 180 frame #35: 0x00007fffb96b8887 libsystem_pthread.dylib`_pthread_start + 286 frame #36: 0x00007fffb96b808d libsystem_pthread.dylib`thread_start + 13"><pre class="notranslate"><code class="notranslate">Process 19280 stopped * thread #25, stop reason = EXC_BAD_ACCESS (code=2, address=0x700001382000) frame #0: 0x0000000110a24805 libopenblasp-r0.3.0.dev.dylib`dgemm_thread_tn + 1541 libopenblasp-r0.3.0.dev.dylib`dgemm_thread_tn: -&gt; 0x110a24805 &lt;+1541&gt;: xchgq %rdi, -0x40(%rsi) 0x110a24809 &lt;+1545&gt;: xorl %edi, %edi 0x110a2480b &lt;+1547&gt;: xchgq %rdi, (%rsi) 0x110a2480e &lt;+1550&gt;: addq $0x200, %rsi ; imm = 0x200 Target 0: (python) stopped. (lldb) bt * thread #25, stop reason = EXC_BAD_ACCESS (code=2, address=0x700001382000) * frame #0: 0x0000000110a24805 libopenblasp-r0.3.0.dev.dylib`dgemm_thread_tn + 1541 frame #1: 0x00000001108f3e26 libopenblasp-r0.3.0.dev.dylib`cblas_dgemm + 854 frame #2: 0x0000000105564285 multiarray.cpython-36m-darwin.so`cblas_matrixproduct + 4917 frame #3: 0x0000000105529d37 multiarray.cpython-36m-darwin.so`PyArray_MatrixProduct2 + 215 frame #4: 0x000000010552ed1f multiarray.cpython-36m-darwin.so`array_matrixproduct + 191 frame #5: 0x00000001000d1cbe Python`_PyCFunction_FastCallDict + 463 frame #6: 0x00000001001362d6 Python`call_function + 489 frame #7: 0x000000010012f18b Python`_PyEval_EvalFrameDefault + 4811 frame #8: 0x0000000100136a38 Python`_PyEval_EvalCodeWithName + 1719 frame #9: 0x000000010013713b Python`fast_function + 218 frame #10: 0x00000001001362ad Python`call_function + 448 frame #11: 0x000000010012f224 Python`_PyEval_EvalFrameDefault + 4964 frame #12: 0x00000001001373db Python`_PyFunction_FastCall + 121 frame #13: 0x00000001001362ad Python`call_function + 448 frame #14: 0x000000010012f18b Python`_PyEval_EvalFrameDefault + 4811 frame #15: 0x0000000100136a38 Python`_PyEval_EvalCodeWithName + 1719 frame #16: 0x000000010013730b Python`_PyFunction_FastCallDict + 449 frame #17: 0x0000000100099f21 Python`_PyObject_FastCallDict + 196 frame #18: 0x0000000100182073 Python`partial_call + 258 frame #19: 0x0000000100099da2 Python`PyObject_Call + 101 frame #20: 0x000000010012f3f4 Python`_PyEval_EvalFrameDefault + 5428 frame #21: 0x0000000100136a38 Python`_PyEval_EvalCodeWithName + 1719 frame #22: 0x000000010013730b Python`_PyFunction_FastCallDict + 449 frame #23: 0x0000000100099f21 Python`_PyObject_FastCallDict + 196 frame #24: 0x000000010009a044 Python`_PyObject_Call_Prepend + 156 frame #25: 0x0000000100099da2 Python`PyObject_Call + 101 frame #26: 0x00000001000e4460 Python`slot_tp_call + 50 frame #27: 0x0000000100099da2 Python`PyObject_Call + 101 frame #28: 0x00000001212b078e _pywrap_tensorflow_internal.so`tensorflow::PyFuncOp::Compute(tensorflow::OpKernelContext*) + 974 frame #29: 0x000000012bd82422 libtensorflow_framework.so`tensorflow::(anonymous namespace)::ExecutorState::Process(tensorflow::(anonymous namespace)::ExecutorState::TaggedNode, long long) + 6690 frame #30: 0x000000012bd895ba libtensorflow_framework.so`std::__1::__function::__func&lt;std::__1::__bind&lt;void (tensorflow::(anonymous namespace)::ExecutorState::*)(tensorflow::(anonymous namespace)::ExecutorState::TaggedNode, long long), tensorflow::(anonymous namespace)::ExecutorState*, tensorflow::(anonymous namespace)::ExecutorState::TaggedNode const&amp;, long long&amp;&gt;, std::__1::allocator&lt;std::__1::__bind&lt;void (tensorflow::(anonymous namespace)::ExecutorState::*)(tensorflow::(anonymous namespace)::ExecutorState::TaggedNode, long long), tensorflow::(anonymous namespace)::ExecutorState*, tensorflow::(anonymous namespace)::ExecutorState::TaggedNode const&amp;, long long&amp;&gt; &gt;, void ()&gt;::operator()() + 58 frame #31: 0x000000012bdde824 libtensorflow_framework.so`Eigen::NonBlockingThreadPoolTempl&lt;tensorflow::thread::EigenEnvironment&gt;::WorkerLoop(int) + 1876 frame #32: 0x000000012bdddfd4 libtensorflow_framework.so`std::__1::__function::__func&lt;tensorflow::thread::EigenEnvironment::CreateThread(std::__1::function&lt;void ()&gt;)::'lambda'(), std::__1::allocator&lt;tensorflow::thread::EigenEnvironment::CreateThread(std::__1::function&lt;void ()&gt;)::'lambda'()&gt;, void ()&gt;::operator()() + 52 frame #33: 0x000000012be00070 libtensorflow_framework.so`void* std::__1::__thread_proxy&lt;std::__1::tuple&lt;std::__1::function&lt;void ()&gt; &gt; &gt;(void*) + 96 frame #34: 0x00007fffb96b893b libsystem_pthread.dylib`_pthread_body + 180 frame #35: 0x00007fffb96b8887 libsystem_pthread.dylib`_pthread_start + 286 frame #36: 0x00007fffb96b808d libsystem_pthread.dylib`thread_start + 13 </code></pre></div> <p dir="auto"><strong>Describe the expected behavior</strong><br> The script should run</p> <p dir="auto"><strong>Code to reproduce the issue</strong><br> python onsets_frames_transcription_transcribe.py --acoustic_run_dir &lt;checkpoint_dir&gt; &lt;wav_file&gt;</p>
0
<p dir="auto">I'm trying to write an <code class="notranslate">Error</code> implementation which supports a set of "important" error, plus a catch-all for various minor errors caused by low-level subsystems. The code looks something like this:</p> <div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="use std::error::Error; pub enum DecodingError { EncodingUnknown, //...several named errors here... /// Other errors, the details of which are probably unimportant. Unexpected(Box&lt;Error+Send&gt;) } impl Error for DecodingError { fn description(&amp;self) -&gt; &amp;str { &quot;decoding error&quot; } fn detail(&amp;self) -&gt; Option&lt;String&gt; { None } fn cause(&amp;self) -&gt; Option&lt;&amp;Error&gt; { match self { &amp;DecodingError::Unexpected(cause) =&gt; Some(&amp;*cause), _ =&gt; None } } }"><pre class="notranslate"><span class="pl-k">use</span> std<span class="pl-kos">::</span>error<span class="pl-kos">::</span><span class="pl-v">Error</span><span class="pl-kos">;</span> <span class="pl-k">pub</span> <span class="pl-k">enum</span> <span class="pl-smi">DecodingError</span> <span class="pl-kos">{</span> <span class="pl-v">EncodingUnknown</span><span class="pl-kos">,</span> <span class="pl-c">//...several named errors here...</span> <span class="pl-c">/// Other errors, the details of which are probably unimportant.</span> <span class="pl-v">Unexpected</span><span class="pl-kos">(</span><span class="pl-smi">Box</span><span class="pl-kos">&lt;</span><span class="pl-smi">Error</span>+<span class="pl-smi">Send</span><span class="pl-kos">&gt;</span><span class="pl-kos">)</span> <span class="pl-kos">}</span> <span class="pl-k">impl</span> <span class="pl-smi">Error</span> <span class="pl-k">for</span> <span class="pl-smi">DecodingError</span> <span class="pl-kos">{</span> <span class="pl-k">fn</span> <span class="pl-en">description</span><span class="pl-kos">(</span><span class="pl-c1">&amp;</span><span class="pl-smi">self</span><span class="pl-kos">)</span> -&gt; <span class="pl-c1">&amp;</span><span class="pl-smi">str</span> <span class="pl-kos">{</span> <span class="pl-s">"decoding error"</span> <span class="pl-kos">}</span> <span class="pl-k">fn</span> <span class="pl-en">detail</span><span class="pl-kos">(</span><span class="pl-c1">&amp;</span><span class="pl-smi">self</span><span class="pl-kos">)</span> -&gt; <span class="pl-smi">Option</span><span class="pl-kos">&lt;</span><span class="pl-smi">String</span><span class="pl-kos">&gt;</span> <span class="pl-kos">{</span> <span class="pl-v">None</span> <span class="pl-kos">}</span> <span class="pl-k">fn</span> <span class="pl-en">cause</span><span class="pl-kos">(</span><span class="pl-c1">&amp;</span><span class="pl-smi">self</span><span class="pl-kos">)</span> -&gt; <span class="pl-smi">Option</span><span class="pl-kos">&lt;</span><span class="pl-c1">&amp;</span><span class="pl-smi">Error</span><span class="pl-kos">&gt;</span> <span class="pl-kos">{</span> <span class="pl-k">match</span> <span class="pl-smi">self</span> <span class="pl-kos">{</span> <span class="pl-c1">&amp;</span><span class="pl-smi">DecodingError</span><span class="pl-kos">::</span><span class="pl-v">Unexpected</span><span class="pl-kos">(</span>cause<span class="pl-kos">)</span> =&gt; <span class="pl-v">Some</span><span class="pl-kos">(</span><span class="pl-c1">&amp;</span><span class="pl-c1">*</span>cause<span class="pl-kos">)</span><span class="pl-kos">,</span> _ =&gt; <span class="pl-v">None</span> <span class="pl-kos">}</span> <span class="pl-kos">}</span> <span class="pl-kos">}</span></pre></div> <p dir="auto">This yields the following error in <code class="notranslate">cause</code>:</p> <blockquote> <p dir="auto">:14:9: 17:10 error: mismatched types: expected <code class="notranslate">core::option::Option&lt;&amp;std::error::Error+'static&gt;</code>, found <code class="notranslate">core::option::Option&lt;&amp;std::error::Error+Send&gt;</code> (expected no bounds, found <code class="notranslate">Send</code>)</p> </blockquote> <p dir="auto">I should presumably be able to convert a <code class="notranslate">Box&lt;Error+Send&gt;</code> to an <code class="notranslate">&amp;Error</code> safely, but I can't figure out a way to do it.</p>
<p dir="auto">There is currently <em>no way</em> to get a <code class="notranslate">Box&lt;Reader&gt;</code> (or anything else that impls <code class="notranslate">Reader</code>) out of a <code class="notranslate">Box&lt;Reader + Constraint&gt;</code>, for instance <code class="notranslate">Box&lt;Reader + Send&gt;</code>. This is a significant ergonomic problem.</p> <p dir="auto">Additionally, <code class="notranslate">Box&lt;Reader + Constraint&gt;</code> should impl <code class="notranslate">Reader</code> since <code class="notranslate">Box&lt;Reader&gt;</code> impls <code class="notranslate">Reader</code>.</p>
1
<p dir="auto">Challenge <a href="http://www.freecodecamp.com/challenges/waypoint-bring-your-javascript-slot-machine-to-life" rel="nofollow">http://www.freecodecamp.com/challenges/waypoint-bring-your-javascript-slot-machine-to-life</a> has an issue.</p> <p dir="auto">The second condition for this challenge:</p> <blockquote> <p dir="auto">You should have used the the selector given in the description to select each slot and assign it the value of slotOne, slotTwo and slotThree respectively</p> </blockquote> <p dir="auto">The selector in the description:</p> <blockquote> <p dir="auto"><code class="notranslate">$($(".slot")[0]).html(slotOne);</code></p> </blockquote> <p dir="auto">The condition passes when you use double quotes in the selector per the description:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$($(&quot;.slot&quot;)[0]).html(slotOne); $($(&quot;.slot&quot;)[1]).html(slotTwo); $($(&quot;.slot&quot;)[2]).html(slotThree);"><pre class="notranslate"><code class="notranslate">$($(".slot")[0]).html(slotOne); $($(".slot")[1]).html(slotTwo); $($(".slot")[2]).html(slotThree);</code></pre></div> <p dir="auto">It fails with single quotes:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$($('.slot')[0]).html(slotOne); $($('.slot')[1]).html(slotTwo); $($('.slot')[2]).html(slotThree);"><pre class="notranslate"><code class="notranslate">$($('.slot')[0]).html(slotOne); $($('.slot')[1]).html(slotTwo); $($('.slot')[2]).html(slotThree);</code></pre></div> <p dir="auto">Maybe we are trying to conform to the <a href="https://contribute.jquery.org/style-guide/js/#quotes" rel="nofollow">jQuery JavaScript Style Guide</a>? Still, both seem to be valid JavaScript. Indeed, the challenge immediately following this one uses single quotes for the selector in the description and passes with either single or double quotes.</p> <blockquote> <p dir="auto">Waypoint: Give your JavaScript Slot Machine some stylish images</p> <p dir="auto"><code class="notranslate">$($('.slot')[0]).html('&lt;img src = "' + images[slotOne-1] + '"&gt;');</code></p> </blockquote> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/416065/9425864/a9082620-48e7-11e5-889b-d501aabc1d4f.png"><img src="https://cloud.githubusercontent.com/assets/416065/9425864/a9082620-48e7-11e5-889b-d501aabc1d4f.png" alt="39-fail" style="max-width: 100%;"></a><br> <a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/416065/9425863/a907b776-48e7-11e5-86d7-a1e81552de41.png"><img src="https://cloud.githubusercontent.com/assets/416065/9425863/a907b776-48e7-11e5-86d7-a1e81552de41.png" alt="39-pass" style="max-width: 100%;"></a></p>
<h3 dir="auto">Welcome first-time open source contributors! <g-emoji class="g-emoji" alias="trophy" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/1f3c6.png">🏆</g-emoji></h3> <p dir="auto">Challenge <a href="http://beta.freecodecamp.com/en/challenges/basic-data-structures/copy-an-array-with-slice" rel="nofollow">copy-an-array-with-slice</a> has an issue.</p> <p dir="auto">The title says "Copy an Array with slice()", but the challenge could be better described as "Copy Array items using slice()" as <code class="notranslate">Array.slice()</code> not only can copy whole arrays, but can copy individual items as well.</p> <p dir="auto">If you want to help fixing this, the <a href="https://github.com/freeCodeCamp/freeCodeCamp/blob/staging/CONTRIBUTING.md">contribution guidelines</a> can help you get started.</p> <p dir="auto"><a href="https://github.com/freeCodeCamp/freeCodeCamp/blob/staging/seed/challenges/02-javascript-algorithms-and-data-structures/basic-data-structures.json#L235">This is the line</a> where you can make this change.</p> <p dir="auto">Feel free to come chat with us in the <a href="https://gitter.im/FreeCodeCamp/Contributors" rel="nofollow">Contributors chat room</a> if you have any questions - or just want to say hi!</p> <p dir="auto">Good luck &amp; Happy coding! <g-emoji class="g-emoji" alias="smile" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/1f604.png">😄</g-emoji> <g-emoji class="g-emoji" alias="+1" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/1f44d.png">👍</g-emoji></p> <hr> <h3 dir="auto">Already resolved:</h3> <p dir="auto"><g-emoji class="g-emoji" alias="white_check_mark" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/2705.png">✅</g-emoji> <strike>1. The test for this challenge does not run properly. The console gives me plenty of "Minified React Error <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="54672897" data-permission-text="Title is private" data-url="https://github.com/freeCodeCamp/freeCodeCamp/issues/32" data-hovercard-type="issue" data-hovercard-url="/freeCodeCamp/freeCodeCamp/issues/32/hovercard" href="https://github.com/freeCodeCamp/freeCodeCamp/issues/32">#32</a>", Similar to the message reported in <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="202175233" data-permission-text="Title is private" data-url="https://github.com/freeCodeCamp/freeCodeCamp/issues/12656" data-hovercard-type="issue" data-hovercard-url="/freeCodeCamp/freeCodeCamp/issues/12656/hovercard" href="https://github.com/freeCodeCamp/freeCodeCamp/issues/12656">#12656</a>.</strike></p> <p dir="auto"><g-emoji class="g-emoji" alias="white_check_mark" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/2705.png">✅</g-emoji> <strike>2. I originally thought the second test case just had a problem with formatting, but since there's nothing wrong with it, I suspect it has to do with the React error. However, I noticed that the second test could be improved with a cleaner assertion.<br> I suggest <a href="https://github.com/freeCodeCamp/freeCodeCamp/blob/staging/seed/challenges/02-javascript-algorithms-and-data-structures/basic-data-structures.json#L259">this line</a> gets replaced with<br> <code class="notranslate">"assert(/\\.slice\\(/.test(code), 'message: The &lt;code&gt;forecast&lt;/code&gt; function should utilize the &lt;code&gt;slice()&lt;/code&gt; method');"</code></strike></p>
0
<h3 dir="auto">Bug report</h3> <p dir="auto"><strong>Bug summary</strong></p> <p dir="auto">When plotting scatter data with symlog y axis, the data in the linear part are not plotted</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 x = np.linspace(0,1, 1000) y = (np.random.random((len(x),))-0.5)*100 c = (np.random.random((len(x),))-0.5)*10 plt.scatter(x,y,c=c,marker='o',lw=0) plt.yscale('symlog',linthreshy=10) 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-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">x</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-en">linspace</span>(<span class="pl-c1">0</span>,<span class="pl-c1">1</span>, <span class="pl-c1">1000</span>) <span class="pl-s1">y</span> <span class="pl-c1">=</span> (<span class="pl-s1">np</span>.<span class="pl-s1">random</span>.<span class="pl-en">random</span>((<span class="pl-en">len</span>(<span class="pl-s1">x</span>),))<span class="pl-c1">-</span><span class="pl-c1">0.5</span>)<span class="pl-c1">*</span><span class="pl-c1">100</span> <span class="pl-s1">c</span> <span class="pl-c1">=</span> (<span class="pl-s1">np</span>.<span class="pl-s1">random</span>.<span class="pl-en">random</span>((<span class="pl-en">len</span>(<span class="pl-s1">x</span>),))<span class="pl-c1">-</span><span class="pl-c1">0.5</span>)<span class="pl-c1">*</span><span class="pl-c1">10</span> <span class="pl-s1">plt</span>.<span class="pl-en">scatter</span>(<span class="pl-s1">x</span>,<span class="pl-s1">y</span>,<span class="pl-s1">c</span><span class="pl-c1">=</span><span class="pl-s1">c</span>,<span class="pl-s1">marker</span><span class="pl-c1">=</span><span class="pl-s">'o'</span>,<span class="pl-s1">lw</span><span class="pl-c1">=</span><span class="pl-c1">0</span>) <span class="pl-s1">plt</span>.<span class="pl-en">yscale</span>(<span class="pl-s">'symlog'</span>,<span class="pl-s1">linthreshy</span><span class="pl-c1">=</span><span class="pl-c1">10</span>) <span class="pl-s1">plt</span>.<span class="pl-en">show</span>()</pre></div> <p dir="auto"><strong>Actual outcome</strong></p> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/11966765/63227234-9a0dc580-c1a1-11e9-9c14-c1177ff9c071.png"><img src="https://user-images.githubusercontent.com/11966765/63227234-9a0dc580-c1a1-11e9-9c14-c1177ff9c071.png" alt="image" style="max-width: 100%;"></a></p> <p dir="auto"><strong>Matplotlib version</strong></p> <ul dir="auto"> <li>Operating system:</li> <li>Matplotlib version: 3.1.0</li> <li>Matplotlib backend (<code class="notranslate">print(matplotlib.get_backend())</code>): Qt5Agg</li> <li>Python version: 3.7</li> </ul> <p dir="auto">installed via conda, default channel</p>
<h3 dir="auto">Bug report</h3> <p dir="auto"><strong>Bug summary</strong></p> <p dir="auto">Since I updated to 3.1.0, symlog looses some points, at least when drawing a scatter plot</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 x = [1.0000e+00, 2.0000e+00, 3.0000e+00, 4.0000e+00, 5.0000e+00, 6.0000e+00, 7.0000e+00, 8.0000e+00, 9.0000e+00, 1.0000e+01, 1.1000e+01, 1.2000e+01, 1.3000e+01, 1.4000e+01, 1.5000e+01, 1.6000e+01, 1.7000e+01, 1.8000e+01, 1.9000e+01, 2.0000e+01, 2.1000e+01, 2.2000e+01, 2.3000e+01, 2.4000e+01, 2.5000e+01, 2.6000e+01, 2.7000e+01, 2.8000e+01, 2.9000e+01, 3.0000e+01, 3.1000e+01, 3.2000e+01, 3.3000e+01, 3.5000e+01, 3.7000e+01, 3.8000e+01, 3.9000e+01, 4.0000e+01, 4.2000e+01, 4.3000e+01, 4.5000e+01, 4.6000e+01, 4.8000e+01, 5.0000e+01, 5.2000e+01, 5.5000e+01, 5.7000e+01, 6.0000e+01, 6.1000e+01, 6.3000e+01, 6.7000e+01, 6.8000e+01, 7.1000e+01, 7.6000e+01, 7.7000e+01, 8.0000e+01, 8.6000e+01, 8.7000e+01, 8.8000e+01, 9.1000e+01, 9.8000e+01, 9.9000e+01, 1.0000e+02, 1.0400e+02, 1.1400e+02, 1.1600e+02, 1.2100e+02, 1.3300e+02, 1.3400e+02, 1.3500e+02, 1.4200e+02, 1.5600e+02, 1.5700e+02, 1.5900e+02, 1.6700e+02, 1.8600e+02, 1.8700e+02, 1.8800e+02, 1.9000e+02, 2.0000e+02, 2.2600e+02, 2.3000e+02, 2.3100e+02, 2.4600e+02, 2.9200e+02, 2.9500e+02, 2.9900e+02, 3.0000e+02, 3.2000e+02, 4.4200e+02, 4.4500e+02, 4.5200e+02, 4.5700e+02, 4.8500e+02, 1.0645e+04, 1.1602e+04, 1.3856e+04, 1.6537e+04, 1.7642e+04, 2.2227e+04] y = [0.57583333, 0.73833333, 0.81666667, 0.86016667, 0.88616667, 0.90266667, 0.91416667, 0.92333333, 0.93033333, 0.93633333, 0.94133333, 0.946, 0.94966667, 0.95333333, 0.95633333, 0.95866667, 0.96133333, 0.9635, 0.9655, 0.96683333, 0.96866667, 0.97016667, 0.97166667, 0.97266667, 0.97383333, 0.97483333, 0.9758, 0.97633333, 0.9775, 0.97783333, 0.979, 0.9795, 0.97983333, 0.98083333, 0.9818, 0.982, 0.982, 0.983, 0.983, 0.984, 0.984, 0.985, 0.985, 0.986, 0.986, 0.987, 0.987, 0.988, 0.988, 0.988, 0.989, 0.989, 0.989, 0.99, 0.99, 0.99, 0.991, 0.991, 0.991, 0.991, 0.992, 0.992, 0.992, 0.992, 0.993, 0.993, 0.993, 0.994, 0.994, 0.994, 0.994, 0.995, 0.995, 0.995, 0.995, 0.996, 0.996, 0.996, 0.996, 0.996, 0.997, 0.997, 0.997, 0.997, 0.998, 0.998, 0.998, 0.998, 0.998, 0.999, 0.999, 0.999, 0.999, 0.999, 1., 1., 1., 1., 1., 1. ] plt.xscale(&quot;symlog&quot;) plt.scatter(x, y) 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-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">x</span> <span class="pl-c1">=</span> [<span class="pl-c1">1.0000e+00</span>, <span class="pl-c1">2.0000e+00</span>, <span class="pl-c1">3.0000e+00</span>, <span class="pl-c1">4.0000e+00</span>, <span class="pl-c1">5.0000e+00</span>, <span class="pl-c1">6.0000e+00</span>, <span class="pl-c1">7.0000e+00</span>, <span class="pl-c1">8.0000e+00</span>, <span class="pl-c1">9.0000e+00</span>, <span class="pl-c1">1.0000e+01</span>, <span class="pl-c1">1.1000e+01</span>, <span class="pl-c1">1.2000e+01</span>, <span class="pl-c1">1.3000e+01</span>, <span class="pl-c1">1.4000e+01</span>, <span class="pl-c1">1.5000e+01</span>, <span class="pl-c1">1.6000e+01</span>, <span class="pl-c1">1.7000e+01</span>, <span class="pl-c1">1.8000e+01</span>, <span class="pl-c1">1.9000e+01</span>, <span class="pl-c1">2.0000e+01</span>, <span class="pl-c1">2.1000e+01</span>, <span class="pl-c1">2.2000e+01</span>, <span class="pl-c1">2.3000e+01</span>, <span class="pl-c1">2.4000e+01</span>, <span class="pl-c1">2.5000e+01</span>, <span class="pl-c1">2.6000e+01</span>, <span class="pl-c1">2.7000e+01</span>, <span class="pl-c1">2.8000e+01</span>, <span class="pl-c1">2.9000e+01</span>, <span class="pl-c1">3.0000e+01</span>, <span class="pl-c1">3.1000e+01</span>, <span class="pl-c1">3.2000e+01</span>, <span class="pl-c1">3.3000e+01</span>, <span class="pl-c1">3.5000e+01</span>, <span class="pl-c1">3.7000e+01</span>, <span class="pl-c1">3.8000e+01</span>, <span class="pl-c1">3.9000e+01</span>, <span class="pl-c1">4.0000e+01</span>, <span class="pl-c1">4.2000e+01</span>, <span class="pl-c1">4.3000e+01</span>, <span class="pl-c1">4.5000e+01</span>, <span class="pl-c1">4.6000e+01</span>, <span class="pl-c1">4.8000e+01</span>, <span class="pl-c1">5.0000e+01</span>, <span class="pl-c1">5.2000e+01</span>, <span class="pl-c1">5.5000e+01</span>, <span class="pl-c1">5.7000e+01</span>, <span class="pl-c1">6.0000e+01</span>, <span class="pl-c1">6.1000e+01</span>, <span class="pl-c1">6.3000e+01</span>, <span class="pl-c1">6.7000e+01</span>, <span class="pl-c1">6.8000e+01</span>, <span class="pl-c1">7.1000e+01</span>, <span class="pl-c1">7.6000e+01</span>, <span class="pl-c1">7.7000e+01</span>, <span class="pl-c1">8.0000e+01</span>, <span class="pl-c1">8.6000e+01</span>, <span class="pl-c1">8.7000e+01</span>, <span class="pl-c1">8.8000e+01</span>, <span class="pl-c1">9.1000e+01</span>, <span class="pl-c1">9.8000e+01</span>, <span class="pl-c1">9.9000e+01</span>, <span class="pl-c1">1.0000e+02</span>, <span class="pl-c1">1.0400e+02</span>, <span class="pl-c1">1.1400e+02</span>, <span class="pl-c1">1.1600e+02</span>, <span class="pl-c1">1.2100e+02</span>, <span class="pl-c1">1.3300e+02</span>, <span class="pl-c1">1.3400e+02</span>, <span class="pl-c1">1.3500e+02</span>, <span class="pl-c1">1.4200e+02</span>, <span class="pl-c1">1.5600e+02</span>, <span class="pl-c1">1.5700e+02</span>, <span class="pl-c1">1.5900e+02</span>, <span class="pl-c1">1.6700e+02</span>, <span class="pl-c1">1.8600e+02</span>, <span class="pl-c1">1.8700e+02</span>, <span class="pl-c1">1.8800e+02</span>, <span class="pl-c1">1.9000e+02</span>, <span class="pl-c1">2.0000e+02</span>, <span class="pl-c1">2.2600e+02</span>, <span class="pl-c1">2.3000e+02</span>, <span class="pl-c1">2.3100e+02</span>, <span class="pl-c1">2.4600e+02</span>, <span class="pl-c1">2.9200e+02</span>, <span class="pl-c1">2.9500e+02</span>, <span class="pl-c1">2.9900e+02</span>, <span class="pl-c1">3.0000e+02</span>, <span class="pl-c1">3.2000e+02</span>, <span class="pl-c1">4.4200e+02</span>, <span class="pl-c1">4.4500e+02</span>, <span class="pl-c1">4.5200e+02</span>, <span class="pl-c1">4.5700e+02</span>, <span class="pl-c1">4.8500e+02</span>, <span class="pl-c1">1.0645e+04</span>, <span class="pl-c1">1.1602e+04</span>, <span class="pl-c1">1.3856e+04</span>, <span class="pl-c1">1.6537e+04</span>, <span class="pl-c1">1.7642e+04</span>, <span class="pl-c1">2.2227e+04</span>] <span class="pl-s1">y</span> <span class="pl-c1">=</span> [<span class="pl-c1">0.57583333</span>, <span class="pl-c1">0.73833333</span>, <span class="pl-c1">0.81666667</span>, <span class="pl-c1">0.86016667</span>, <span class="pl-c1">0.88616667</span>, <span class="pl-c1">0.90266667</span>, <span class="pl-c1">0.91416667</span>, <span class="pl-c1">0.92333333</span>, <span class="pl-c1">0.93033333</span>, <span class="pl-c1">0.93633333</span>, <span class="pl-c1">0.94133333</span>, <span class="pl-c1">0.946</span>, <span class="pl-c1">0.94966667</span>, <span class="pl-c1">0.95333333</span>, <span class="pl-c1">0.95633333</span>, <span class="pl-c1">0.95866667</span>, <span class="pl-c1">0.96133333</span>, <span class="pl-c1">0.9635</span>, <span class="pl-c1">0.9655</span>, <span class="pl-c1">0.96683333</span>, <span class="pl-c1">0.96866667</span>, <span class="pl-c1">0.97016667</span>, <span class="pl-c1">0.97166667</span>, <span class="pl-c1">0.97266667</span>, <span class="pl-c1">0.97383333</span>, <span class="pl-c1">0.97483333</span>, <span class="pl-c1">0.9758</span>, <span class="pl-c1">0.97633333</span>, <span class="pl-c1">0.9775</span>, <span class="pl-c1">0.97783333</span>, <span class="pl-c1">0.979</span>, <span class="pl-c1">0.9795</span>, <span class="pl-c1">0.97983333</span>, <span class="pl-c1">0.98083333</span>, <span class="pl-c1">0.9818</span>, <span class="pl-c1">0.982</span>, <span class="pl-c1">0.982</span>, <span class="pl-c1">0.983</span>, <span class="pl-c1">0.983</span>, <span class="pl-c1">0.984</span>, <span class="pl-c1">0.984</span>, <span class="pl-c1">0.985</span>, <span class="pl-c1">0.985</span>, <span class="pl-c1">0.986</span>, <span class="pl-c1">0.986</span>, <span class="pl-c1">0.987</span>, <span class="pl-c1">0.987</span>, <span class="pl-c1">0.988</span>, <span class="pl-c1">0.988</span>, <span class="pl-c1">0.988</span>, <span class="pl-c1">0.989</span>, <span class="pl-c1">0.989</span>, <span class="pl-c1">0.989</span>, <span class="pl-c1">0.99</span>, <span class="pl-c1">0.99</span>, <span class="pl-c1">0.99</span>, <span class="pl-c1">0.991</span>, <span class="pl-c1">0.991</span>, <span class="pl-c1">0.991</span>, <span class="pl-c1">0.991</span>, <span class="pl-c1">0.992</span>, <span class="pl-c1">0.992</span>, <span class="pl-c1">0.992</span>, <span class="pl-c1">0.992</span>, <span class="pl-c1">0.993</span>, <span class="pl-c1">0.993</span>, <span class="pl-c1">0.993</span>, <span class="pl-c1">0.994</span>, <span class="pl-c1">0.994</span>, <span class="pl-c1">0.994</span>, <span class="pl-c1">0.994</span>, <span class="pl-c1">0.995</span>, <span class="pl-c1">0.995</span>, <span class="pl-c1">0.995</span>, <span class="pl-c1">0.995</span>, <span class="pl-c1">0.996</span>, <span class="pl-c1">0.996</span>, <span class="pl-c1">0.996</span>, <span class="pl-c1">0.996</span>, <span class="pl-c1">0.996</span>, <span class="pl-c1">0.997</span>, <span class="pl-c1">0.997</span>, <span class="pl-c1">0.997</span>, <span class="pl-c1">0.997</span>, <span class="pl-c1">0.998</span>, <span class="pl-c1">0.998</span>, <span class="pl-c1">0.998</span>, <span class="pl-c1">0.998</span>, <span class="pl-c1">0.998</span>, <span class="pl-c1">0.999</span>, <span class="pl-c1">0.999</span>, <span class="pl-c1">0.999</span>, <span class="pl-c1">0.999</span>, <span class="pl-c1">0.999</span>, <span class="pl-c1">1.</span>, <span class="pl-c1">1.</span>, <span class="pl-c1">1.</span>, <span class="pl-c1">1.</span>, <span class="pl-c1">1.</span>, <span class="pl-c1">1.</span> ] <span class="pl-s1">plt</span>.<span class="pl-en">xscale</span>(<span class="pl-s">"symlog"</span>) <span class="pl-s1">plt</span>.<span class="pl-en">scatter</span>(<span class="pl-s1">x</span>, <span class="pl-s1">y</span>) <span class="pl-s1">plt</span>.<span class="pl-en">show</span>()</pre></div> <p dir="auto"><strong>Actual outcome</strong><br> Using 3.1.0<br> <a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/248961/57986525-64f4b880-7a76-11e9-941f-4dea5da9f722.png"><img src="https://user-images.githubusercontent.com/248961/57986525-64f4b880-7a76-11e9-941f-4dea5da9f722.png" alt="310" style="max-width: 100%;"></a></p> <p dir="auto"><strong>Expected outcome</strong><br> Using 3.0.3<br> <a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/248961/57986520-57d7c980-7a76-11e9-9b2d-0e23e2adcd65.png"><img src="https://user-images.githubusercontent.com/248961/57986520-57d7c980-7a76-11e9-9b2d-0e23e2adcd65.png" alt="303" style="max-width: 100%;"></a></p> <p dir="auto">Especially look at the Y axis, we lost the 0.5 value and 0.7 too. Worst, I think (not clear here in this picture) that the points are shifted from the actual X values</p> <p dir="auto"><strong>Matplotlib version</strong></p> <ul dir="auto"> <li>Operating system: Ubuntu 18.04 LTS</li> <li>Matplotlib version: 3.1.0</li> <li>Matplotlib backend : TkAgg</li> <li>Python version: 3.6.7<br> Installed with pip3</li> </ul>
1
<p dir="auto">I'm currently updating the new React DevTools to use suspense for more interactions (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="435315627" data-permission-text="Title is private" data-url="https://github.com/bvaughn/react-devtools-experimental/issues/196" data-hovercard-type="pull_request" data-hovercard-url="/bvaughn/react-devtools-experimental/pull/196/hovercard" href="https://github.com/bvaughn/react-devtools-experimental/pull/196">bvaughn/react-devtools-experimental#196</a>). This has uncovered three pain points that we should try to address:</p> <ol dir="auto"> <li> <p dir="auto"><del><strong>Using the "two <code class="notranslate">setState</code> pattern" can be awkward</strong> if the priority is "normal" or higher (as was the case in my "keydown" event handler) because <code class="notranslate">scheduler.next</code> uses "normal" priority for this case. (This also applies to e.g. non-React event handlers, since the default priority for these is "normal" as well.) <strong>Temporary workaround</strong> - manually run the first update with user-blocking priority.</del></p> </li> <li> <p dir="auto"><del><strong>Offscreen updates</strong> cause user-blocking and normal priority work to be batched together (for unknown reasons). This makes interactions feel unresponsive. <strong>Temporary workaround</strong> - none (other than to stop using offscreen priority).</del></p> </li> <li> <p dir="auto"><strong>Fallback UI shown too quickly</strong>. One of the main reasons to use suspense in the "inspected element" panel to begin with is to avoid a quick flash of the "Loading..." fallback when a new element is selected. However, it seems like this is still happening even with suspense. <strong>Temporary workaround</strong> - none, since I don't know the cause.</p> </li> </ol> <p dir="auto"><strong>Edit</strong> I think the first two items I reported were caused by a second/duplicate scheduler package that had gotten installed in DevTools as a transient dependency.</p>
<p dir="auto">Describe what you were doing when the bug occurred:</p> <ol dir="auto"> <li>Clicked record before firing off the onClick function</li> <li>When I clicked stop recording this error was thrown.</li> </ol> <hr> <h2 dir="auto">Please do not remove the text below this line</h2> <p dir="auto">DevTools version: 4.7.0-23309eb38</p> <p dir="auto">Call stack: at N (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:164298)<br> at I (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:163705)<br> at e.getCommitTree (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:166664)<br> at Ul (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:342328)<br> at gi (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:32:62450)<br> at tl (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:32:71793)<br> at zl (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:32:113765)<br> at Ic (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:32:104502)<br> at Tc (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:32:104430)<br> at Dc (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:32:104298)</p> <p dir="auto">Component stack: at Ul (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:342099)<br> at div<br> at div<br> at div<br> at Co (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:263571)<br> at chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:366677<br> at n (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:276314)<br> at chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:278724<br> at div<br> at div<br> at Xi (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:325177)<br> at Ge (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:207026)<br> at sn (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:216342)<br> at Va (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:293773)<br> at us (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:40:371869)</p>
0
<p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/numpy/ticket/541" rel="nofollow">http://projects.scipy.org/numpy/ticket/541</a> on 2007-06-28 by trac user chipschips, assigned to unknown.</em></p> <p dir="auto">integer division by zero returns 0 rather then inf (or some other specially defined integer infinity constant). This behavior is not consistent with floats and is mathematically wrong.</p> <p dir="auto">Example:</p> <blockquote> <blockquote> <blockquote> <p dir="auto">1/int_(0)<br> 0<br> 1/float_(0)<br> inf</p> </blockquote> </blockquote> </blockquote> <p dir="auto">Is this a bug or there is some good reason why ints behave this way?<br> I'm using numpy 1.0.1 and scipy 0.5.2</p>
<p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/numpy/ticket/541" rel="nofollow">http://projects.scipy.org/numpy/ticket/541</a> on 2007-06-28 by trac user chipschips, assigned to unknown.</em></p> <p dir="auto">integer division by zero returns 0 rather then inf (or some other specially defined integer infinity constant). This behavior is not consistent with floats and is mathematically wrong.</p> <p dir="auto">Example:</p> <blockquote> <blockquote> <blockquote> <p dir="auto">1/int_(0)<br> 0<br> 1/float_(0)<br> inf</p> </blockquote> </blockquote> </blockquote> <p dir="auto">Is this a bug or there is some good reason why ints behave this way?<br> I'm using numpy 1.0.1 and scipy 0.5.2</p>
1
<p dir="auto">[Enter steps to reproduce below:]</p> <ol dir="auto"> <li>...</li> <li>...</li> </ol> <p dir="auto"><strong>Atom Version</strong>: 0.186.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: Cannot find module 'dialog'<br> Error: Cannot find module 'dialog'<br> at Function.Module._resolveFilename (module.js:351:15)<br> at Function.Module._load (module.js:293:25)<br> at Module.require (module.js:380:17)<br> at EventEmitter. (/Applications/Atom.app/Contents/Resources/atom/browser/lib/rpc-server.js:128:79)<br> at EventEmitter.emit (events.js:119:17)<br> at EventEmitter. (/Applications/Atom.app/Contents/Resources/atom/browser/api/lib/web-contents.js:99:23)<br> at EventEmitter.emit (events.js:119:17)</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="At /Applications/Atom.app/Contents/Resources/atom/renderer/api/lib/remote.js:77 Error: Cannot find module 'dialog' Error: Cannot find module 'dialog' at Function.Module._resolveFilename (module.js:351:15) at Function.Module._load (module.js:293:25) at Module.require (module.js:380:17) at EventEmitter.&lt;anonymous&gt; (/Applications/Atom.app/Contents/Resources/atom/browser/lib/rpc-server.js:128:79) at EventEmitter.emit (events.js:119:17) at EventEmitter.&lt;anonymous&gt; (/Applications/Atom.app/Contents/Resources/atom/browser/api/lib/web-contents.js:99:23) at EventEmitter.emit (events.js:119:17) at metaToValue (/Applications/Atom.app/Contents/Resources/atom/renderer/api/lib/remote.js:77:15) at Object.exports.require (/Applications/Atom.app/Contents/Resources/atom/renderer/api/lib/remote.js:157:34) at Atom.module.exports.Atom.confirm (/Applications/Atom.app/Contents/Resources/app/src/atom.js:705:23) at Pane.module.exports.Pane.promptToSaveItem (/Applications/Atom.app/Contents/Resources/app/src/pane.js:507:21) at Pane.module.exports.Pane.destroyItem (/Applications/Atom.app/Contents/Resources/app/src/pane.js:456:18) at Pane.module.exports.Pane.destroyActiveItem (/Applications/Atom.app/Contents/Resources/app/src/pane.js:436:12) at Workspace.module.exports.Workspace.destroyActivePaneItem (/Applications/Atom.app/Contents/Resources/app/src/workspace.js:697:35) at Workspace.module.exports.Workspace.destroyActivePaneItemOrEmptyPane (/Applications/Atom.app/Contents/Resources/app/src/workspace.js:741:21) at atom-workspace.atom.commands.add.core:close (/Applications/Atom.app/Contents/Resources/app/src/workspace-element.js:292:30) at CommandRegistry.module.exports.CommandRegistry.handleCommandEvent (/Applications/Atom.app/Contents/Resources/app/src/command-registry.js:243:29) at /Applications/Atom.app/Contents/Resources/app/src/command-registry.js:3:61 at KeymapManager.module.exports.KeymapManager.dispatchCommandEvent (/Applications/Atom.app/Contents/Resources/app/node_modules/atom-keymap/lib/keymap-manager.js:558:16) at KeymapManager.module.exports.KeymapManager.handleKeyboardEvent (/Applications/Atom.app/Contents/Resources/app/node_modules/atom-keymap/lib/keymap-manager.js:396:22) at HTMLDocument.module.exports.WindowEventHandler.onKeydown (/Applications/Atom.app/Contents/Resources/app/src/window-event-handler.js:182:20) "><pre class="notranslate"><code class="notranslate">At /Applications/Atom.app/Contents/Resources/atom/renderer/api/lib/remote.js:77 Error: Cannot find module 'dialog' Error: Cannot find module 'dialog' at Function.Module._resolveFilename (module.js:351:15) at Function.Module._load (module.js:293:25) at Module.require (module.js:380:17) at EventEmitter.&lt;anonymous&gt; (/Applications/Atom.app/Contents/Resources/atom/browser/lib/rpc-server.js:128:79) at EventEmitter.emit (events.js:119:17) at EventEmitter.&lt;anonymous&gt; (/Applications/Atom.app/Contents/Resources/atom/browser/api/lib/web-contents.js:99:23) at EventEmitter.emit (events.js:119:17) at metaToValue (/Applications/Atom.app/Contents/Resources/atom/renderer/api/lib/remote.js:77:15) at Object.exports.require (/Applications/Atom.app/Contents/Resources/atom/renderer/api/lib/remote.js:157:34) at Atom.module.exports.Atom.confirm (/Applications/Atom.app/Contents/Resources/app/src/atom.js:705:23) at Pane.module.exports.Pane.promptToSaveItem (/Applications/Atom.app/Contents/Resources/app/src/pane.js:507:21) at Pane.module.exports.Pane.destroyItem (/Applications/Atom.app/Contents/Resources/app/src/pane.js:456:18) at Pane.module.exports.Pane.destroyActiveItem (/Applications/Atom.app/Contents/Resources/app/src/pane.js:436:12) at Workspace.module.exports.Workspace.destroyActivePaneItem (/Applications/Atom.app/Contents/Resources/app/src/workspace.js:697:35) at Workspace.module.exports.Workspace.destroyActivePaneItemOrEmptyPane (/Applications/Atom.app/Contents/Resources/app/src/workspace.js:741:21) at atom-workspace.atom.commands.add.core:close (/Applications/Atom.app/Contents/Resources/app/src/workspace-element.js:292:30) at CommandRegistry.module.exports.CommandRegistry.handleCommandEvent (/Applications/Atom.app/Contents/Resources/app/src/command-registry.js:243:29) at /Applications/Atom.app/Contents/Resources/app/src/command-registry.js:3:61 at KeymapManager.module.exports.KeymapManager.dispatchCommandEvent (/Applications/Atom.app/Contents/Resources/app/node_modules/atom-keymap/lib/keymap-manager.js:558:16) at KeymapManager.module.exports.KeymapManager.handleKeyboardEvent (/Applications/Atom.app/Contents/Resources/app/node_modules/atom-keymap/lib/keymap-manager.js:396:22) at HTMLDocument.module.exports.WindowEventHandler.onKeydown (/Applications/Atom.app/Contents/Resources/app/src/window-event-handler.js:182:20) </code></pre></div> <h3 dir="auto">Commands</h3> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" 2x -0:33.6 autocomplete-plus:confirm (atom-text-editor.editor.is-focused) -0:28.7 snippets:expand (atom-text-editor.editor.is-focused) 4x -0:28.0 core:backspace (atom-text-editor.editor.is-focused) -0:19.4 autocomplete-plus:confirm (atom-text-editor.editor.is-focused) -0:17.9 core:undo (atom-text-editor.editor.is-focused) -0:14.6 editor:newline (atom-text-editor.editor.is-focused) -0:12.4 autocomplete-plus:confirm (atom-text-editor.editor.is-focused) -0:09.5 editor:move-to-first-character-of-line (atom-text-editor.editor.is-focused) 2x -0:09.1 core:move-to-bottom (atom-text-editor.editor.is-focused) 8x -0:07.7 core:move-up (atom-text-editor.editor.is-focused) -0:06.1 core:move-down (atom-text-editor.editor.is-focused) -0:05.8 core:move-right (atom-text-editor.editor.is-focused) -0:05.3 editor:select-to-first-character-of-line (atom-text-editor.editor.is-focused) 3x -0:04.6 core:select-up (atom-text-editor.editor.is-focused) 3x -0:03.7 core:backspace (atom-text-editor.editor.is-focused) -0:01.0 core:close (atom-text-editor.editor.is-focused)"><pre class="notranslate"><code class="notranslate"> 2x -0:33.6 autocomplete-plus:confirm (atom-text-editor.editor.is-focused) -0:28.7 snippets:expand (atom-text-editor.editor.is-focused) 4x -0:28.0 core:backspace (atom-text-editor.editor.is-focused) -0:19.4 autocomplete-plus:confirm (atom-text-editor.editor.is-focused) -0:17.9 core:undo (atom-text-editor.editor.is-focused) -0:14.6 editor:newline (atom-text-editor.editor.is-focused) -0:12.4 autocomplete-plus:confirm (atom-text-editor.editor.is-focused) -0:09.5 editor:move-to-first-character-of-line (atom-text-editor.editor.is-focused) 2x -0:09.1 core:move-to-bottom (atom-text-editor.editor.is-focused) 8x -0:07.7 core:move-up (atom-text-editor.editor.is-focused) -0:06.1 core:move-down (atom-text-editor.editor.is-focused) -0:05.8 core:move-right (atom-text-editor.editor.is-focused) -0:05.3 editor:select-to-first-character-of-line (atom-text-editor.editor.is-focused) 3x -0:04.6 core:select-up (atom-text-editor.editor.is-focused) 3x -0:03.7 core:backspace (atom-text-editor.editor.is-focused) -0:01.0 core:close (atom-text-editor.editor.is-focused) </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="{ &quot;core&quot;: { &quot;ignoredNames&quot;: [ &quot;.codekit&quot; ], &quot;disabledPackages&quot;: [ &quot;sassbeautify&quot;, &quot;emmet&quot; ], &quot;themes&quot;: [ &quot;itg-dark-ui&quot;, &quot;dracula-theme&quot; ] }, &quot;editor&quot;: { &quot;fontFamily&quot;: &quot;menlo&quot;, &quot;fontSize&quot;: 14, &quot;lineHeight&quot;: 1.5, &quot;showInvisibles&quot;: true, &quot;showIndentGuide&quot;: true, &quot;tabLength&quot;: 4, &quot;softWrap&quot;: true, &quot;useShadowDOM&quot;: true, &quot;invisibles&quot;: {} } }"><pre class="notranslate">{ <span class="pl-ent">"core"</span>: { <span class="pl-ent">"ignoredNames"</span>: [ <span class="pl-s"><span class="pl-pds">"</span>.codekit<span class="pl-pds">"</span></span> ], <span class="pl-ent">"disabledPackages"</span>: [ <span class="pl-s"><span class="pl-pds">"</span>sassbeautify<span class="pl-pds">"</span></span>, <span class="pl-s"><span class="pl-pds">"</span>emmet<span class="pl-pds">"</span></span> ], <span class="pl-ent">"themes"</span>: [ <span class="pl-s"><span class="pl-pds">"</span>itg-dark-ui<span class="pl-pds">"</span></span>, <span class="pl-s"><span class="pl-pds">"</span>dracula-theme<span class="pl-pds">"</span></span> ] }, <span class="pl-ent">"editor"</span>: { <span class="pl-ent">"fontFamily"</span>: <span class="pl-s"><span class="pl-pds">"</span>menlo<span class="pl-pds">"</span></span>, <span class="pl-ent">"fontSize"</span>: <span class="pl-c1">14</span>, <span class="pl-ent">"lineHeight"</span>: <span class="pl-c1">1.5</span>, <span class="pl-ent">"showInvisibles"</span>: <span class="pl-c1">true</span>, <span class="pl-ent">"showIndentGuide"</span>: <span class="pl-c1">true</span>, <span class="pl-ent">"tabLength"</span>: <span class="pl-c1">4</span>, <span class="pl-ent">"softWrap"</span>: <span class="pl-c1">true</span>, <span class="pl-ent">"useShadowDOM"</span>: <span class="pl-c1">true</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 Atom-Syntax-highlighting-for-Sass, v0.5.0 ScssBundle, v0.4.0 Stylus, v0.6.0 atom-alignment, v0.11.0 atom-jade, v0.1.0 auto-detect-indentation, v0.3.0 autoclose-html, v0.15.0 autocomplete-paths, v1.0.2 autocomplete-plus, v2.5.0 autocomplete-plus-async, v0.22.0 autocomplete-snippets, v1.2.0 change-case, v0.5.1 color-picker, v1.4.4 compass, v0.7.5 css-color-highlighting, v0.2.4 css-snippets, v0.5.0 dash, v1.1.0 dracula-theme, v0.7.6 foundation5-snippets, v0.2.0 highlight-line, v0.10.1 itg-dark-ui, v0.2.0 jslint, v1.2.1 language-liquid, v0.2.0 webbox-color, v0.5.6 wordpress, v0.2.0 wordpress-api, v1.1.0 # Dev No dev packages"><pre class="notranslate"><span class="pl-c"><span class="pl-c">#</span> User</span> Atom<span class="pl-k">-</span>Syntax<span class="pl-k">-</span>highlighting<span class="pl-k">-</span><span class="pl-k">for</span><span class="pl-k">-</span>Sass, v0.<span class="pl-ii">5</span>.<span class="pl-ii">0</span> ScssBundle, v0.<span class="pl-ii">4</span>.<span class="pl-ii">0</span> Stylus, v0.<span class="pl-ii">6</span>.<span class="pl-ii">0</span> atom<span class="pl-k">-</span>alignment, v0.<span class="pl-ii">11</span>.<span class="pl-ii">0</span> atom<span class="pl-k">-</span>jade, v0.<span class="pl-ii">1</span>.<span class="pl-ii">0</span> auto<span class="pl-k">-</span>detect<span class="pl-k">-</span>indentation, v0.<span class="pl-ii">3</span>.<span class="pl-ii">0</span> autoclose<span class="pl-k">-</span>html, v0.<span class="pl-ii">15</span>.<span class="pl-ii">0</span> autocomplete<span class="pl-k">-</span>paths, v1.<span class="pl-ii">0</span>.<span class="pl-ii">2</span> autocomplete<span class="pl-k">-</span>plus, v2.<span class="pl-ii">5</span>.<span class="pl-ii">0</span> autocomplete<span class="pl-k">-</span>plus<span class="pl-k">-</span><span class="pl-k">async</span>, v0.<span class="pl-ii">22</span>.<span class="pl-ii">0</span> autocomplete<span class="pl-k">-</span>snippets, v1.<span class="pl-ii">2</span>.<span class="pl-ii">0</span> change<span class="pl-k">-</span><span class="pl-k">case</span>, v0.<span class="pl-ii">5</span>.<span class="pl-ii">1</span> color<span class="pl-k">-</span>picker, v1.<span class="pl-ii">4</span>.<span class="pl-ii">4</span> compass, v0.<span class="pl-ii">7</span>.<span class="pl-ii">5</span> css<span class="pl-k">-</span>color<span class="pl-k">-</span>highlighting, v0.<span class="pl-ii">2</span>.<span class="pl-ii">4</span> css<span class="pl-k">-</span>snippets, v0.<span class="pl-ii">5</span>.<span class="pl-ii">0</span> dash, v1.<span class="pl-ii">1</span>.<span class="pl-ii">0</span> dracula<span class="pl-k">-</span>theme, v0.<span class="pl-ii">7</span>.<span class="pl-ii">6</span> foundation5<span class="pl-k">-</span>snippets, v0.<span class="pl-ii">2</span>.<span class="pl-ii">0</span> highlight<span class="pl-k">-</span>line, v0.<span class="pl-ii">10</span>.<span class="pl-ii">1</span> itg<span class="pl-k">-</span>dark<span class="pl-k">-</span>ui, v0.<span class="pl-ii">2</span>.<span class="pl-ii">0</span> jslint, v1.<span class="pl-ii">2</span>.<span class="pl-ii">1</span> language<span class="pl-k">-</span>liquid, v0.<span class="pl-ii">2</span>.<span class="pl-ii">0</span> webbox<span class="pl-k">-</span>color, v0.<span class="pl-ii">5</span>.<span class="pl-ii">6</span> wordpress, v0.<span class="pl-ii">2</span>.<span class="pl-ii">0</span> wordpress<span class="pl-k">-</span>api, v1.<span class="pl-ii">1</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">[Enter steps to reproduce below:]</p> <ol dir="auto"> <li>Right-click a file in the left column. (The file I used was green, not added to Git, and empty.)</li> <li>Click Delete.</li> </ol> <p dir="auto"><strong>Atom Version</strong>: 0.186.0<br> <strong>System</strong>: Mac OS X 10.10.2<br> <strong>Thrown From</strong>: <a href="https://github.com/atom/tree-view">tree-view</a> package, v0.164.0</p> <h3 dir="auto">Stack Trace</h3> <p dir="auto">Uncaught Error: Cannot find module 'dialog'<br> Error: Cannot find module 'dialog'<br> at Function.Module._resolveFilename (module.js:351:15)<br> at Function.Module._load (module.js:293:25)<br> at Module.require (module.js:380:17)<br> at EventEmitter. (/Applications/Atom.app/Contents/Resources/atom/browser/lib/rpc-server.js:128:79)<br> at EventEmitter.emit (events.js:119:17)<br> at EventEmitter. (/Applications/Atom.app/Contents/Resources/atom/browser/api/lib/web-contents.js:99:23)<br> at EventEmitter.emit (events.js:119:17)</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="At /Applications/Atom.app/Contents/Resources/atom/renderer/api/lib/remote.js:77 Error: Cannot find module 'dialog' Error: Cannot find module 'dialog' at Function.Module._resolveFilename (module.js:351:15) at Function.Module._load (module.js:293:25) at Module.require (module.js:380:17) at EventEmitter.&lt;anonymous&gt; (/Applications/Atom.app/Contents/Resources/atom/browser/lib/rpc-server.js:128:79) at EventEmitter.emit (events.js:119:17) at EventEmitter.&lt;anonymous&gt; (/Applications/Atom.app/Contents/Resources/atom/browser/api/lib/web-contents.js:99:23) at EventEmitter.emit (events.js:119:17) at metaToValue (/Applications/Atom.app/Contents/Resources/atom/renderer/api/lib/remote.js:77:15) at Object.exports.require (/Applications/Atom.app/Contents/Resources/atom/renderer/api/lib/remote.js:157:34) at Atom.module.exports.Atom.confirm (/Applications/Atom.app/Contents/Resources/app/src/atom.js:705:23) at TreeView.module.exports.TreeView.removeSelectedEntries (/Applications/Atom.app/Contents/Resources/app/node_modules/tree-view/lib/tree-view.js:895:19) at atom-workspace.disposables.add.atom.commands.add.tree-view:remove (/Applications/Atom.app/Contents/Resources/app/node_modules/tree-view/lib/main.js:84:39) at CommandRegistry.module.exports.CommandRegistry.handleCommandEvent (/Applications/Atom.app/Contents/Resources/app/src/command-registry.js:243:29) at CommandRegistry.handleCommandEvent (/Applications/Atom.app/Contents/Resources/app/src/command-registry.js:3:61) at CommandRegistry.module.exports.CommandRegistry.dispatch (/Applications/Atom.app/Contents/Resources/app/src/command-registry.js:156:19) at jQuery.fn.trigger (/Applications/Atom.app/Contents/Resources/app/src/space-pen-extensions.js:64:23) at EventEmitter.&lt;anonymous&gt; (/Applications/Atom.app/Contents/Resources/app/src/window-event-handler.js:80:67)"><pre class="notranslate"><code class="notranslate">At /Applications/Atom.app/Contents/Resources/atom/renderer/api/lib/remote.js:77 Error: Cannot find module 'dialog' Error: Cannot find module 'dialog' at Function.Module._resolveFilename (module.js:351:15) at Function.Module._load (module.js:293:25) at Module.require (module.js:380:17) at EventEmitter.&lt;anonymous&gt; (/Applications/Atom.app/Contents/Resources/atom/browser/lib/rpc-server.js:128:79) at EventEmitter.emit (events.js:119:17) at EventEmitter.&lt;anonymous&gt; (/Applications/Atom.app/Contents/Resources/atom/browser/api/lib/web-contents.js:99:23) at EventEmitter.emit (events.js:119:17) at metaToValue (/Applications/Atom.app/Contents/Resources/atom/renderer/api/lib/remote.js:77:15) at Object.exports.require (/Applications/Atom.app/Contents/Resources/atom/renderer/api/lib/remote.js:157:34) at Atom.module.exports.Atom.confirm (/Applications/Atom.app/Contents/Resources/app/src/atom.js:705:23) at TreeView.module.exports.TreeView.removeSelectedEntries (/Applications/Atom.app/Contents/Resources/app/node_modules/tree-view/lib/tree-view.js:895:19) at atom-workspace.disposables.add.atom.commands.add.tree-view:remove (/Applications/Atom.app/Contents/Resources/app/node_modules/tree-view/lib/main.js:84:39) at CommandRegistry.module.exports.CommandRegistry.handleCommandEvent (/Applications/Atom.app/Contents/Resources/app/src/command-registry.js:243:29) at CommandRegistry.handleCommandEvent (/Applications/Atom.app/Contents/Resources/app/src/command-registry.js:3:61) at CommandRegistry.module.exports.CommandRegistry.dispatch (/Applications/Atom.app/Contents/Resources/app/src/command-registry.js:156:19) at jQuery.fn.trigger (/Applications/Atom.app/Contents/Resources/app/src/space-pen-extensions.js:64:23) at EventEmitter.&lt;anonymous&gt; (/Applications/Atom.app/Contents/Resources/app/src/window-event-handler.js:80:67) </code></pre></div> <h3 dir="auto">Commands</h3> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" 6x -4:21.1 core:move-up (atom-text-editor.editor) -4:19.1 core:move-left (atom-text-editor.editor) -4:15.5 core:save (atom-text-editor.editor) -2:19.6 core:backspace (atom-text-editor.editor) 3x -2:17.4 core:move-right (atom-text-editor.editor) 2x -2:07.9 editor:move-to-first-character-of-line (atom-text-editor.editor) -2:07.4 core:select-down (atom-text-editor.editor) -2:06.5 core:copy (atom-text-editor.editor) -2:04.1 core:move-up (atom-text-editor.editor) -2:03.9 core:move-down (atom-text-editor.editor) -2:03.7 core:select-down (atom-text-editor.editor) -2:03.4 core:copy (atom-text-editor.editor) 2x -2:00.7 editor:move-to-first-character-of-line (atom-text-editor.editor) 3x -2:00.3 core:select-down (atom-text-editor.editor) -1:59.8 core:paste (atom-text-editor.editor) 3x -1:58.7 core:save (atom-text-editor.editor)"><pre class="notranslate"><code class="notranslate"> 6x -4:21.1 core:move-up (atom-text-editor.editor) -4:19.1 core:move-left (atom-text-editor.editor) -4:15.5 core:save (atom-text-editor.editor) -2:19.6 core:backspace (atom-text-editor.editor) 3x -2:17.4 core:move-right (atom-text-editor.editor) 2x -2:07.9 editor:move-to-first-character-of-line (atom-text-editor.editor) -2:07.4 core:select-down (atom-text-editor.editor) -2:06.5 core:copy (atom-text-editor.editor) -2:04.1 core:move-up (atom-text-editor.editor) -2:03.9 core:move-down (atom-text-editor.editor) -2:03.7 core:select-down (atom-text-editor.editor) -2:03.4 core:copy (atom-text-editor.editor) 2x -2:00.7 editor:move-to-first-character-of-line (atom-text-editor.editor) 3x -2:00.3 core:select-down (atom-text-editor.editor) -1:59.8 core:paste (atom-text-editor.editor) 3x -1:58.7 core:save (atom-text-editor.editor) </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="{ &quot;core&quot;: { &quot;themes&quot;: [ &quot;atom-dark-ui&quot;, &quot;atom-dark-syntax&quot; ], &quot;destroyEmptyPanes&quot;: false }, &quot;tree-view&quot;: {} }"><pre class="notranslate">{ <span class="pl-ent">"core"</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>atom-dark-syntax<span class="pl-pds">"</span></span> ], <span class="pl-ent">"destroyEmptyPanes"</span>: <span class="pl-c1">false</span> }, <span class="pl-ent">"tree-view"</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 language-haml, v0.15.0 # Dev No dev packages"><pre class="notranslate"><span class="pl-c"><span class="pl-c">#</span> User</span> language<span class="pl-k">-</span>haml, v0.<span class="pl-ii">15</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>
1
<p dir="auto"><strong>System information</strong></p> <ul dir="auto"> <li>OS Platform and Distribution : Ubuntu 16.04.3</li> <li>TensorFlow installed from: pip</li> <li>TensorFlow version: 2.0 alpha</li> </ul> <p dir="auto">I am using bazel to convert .pb file to .tflite. This is the command that I used to convert the model.</p> <p dir="auto">abdullah@abdullah-OptiPlex-7060:~/tensorflow/tensorflow/lite/toco$ bazel run . --define=with_select_tf_ops=true -- --output_file=/home/abdullah/Documents/CRNN_MODEL/bazelled.tflite --input_file=/home/abdullah/Documents/CRNN_MODEL/my_model__.pb --input_arrays=the_input --output_arrays=softmax/truediv</p> <p dir="auto">I receive the following output:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Some of the operators in the model are not supported by the standard TensorFlow Lite runtime. If those are native TensorFlow operators, you might be able to use the extended runtime by passing --enable_select_tf_ops, or by setting target_ops=TFLITE_BUILTINS,SELECT_TF_OPS when calling tf.lite.TFLiteConverter(). Otherwise, if you have a custom implementation for them you can disable this error with --allow_custom_ops, or by setting allow_custom_ops=True when calling tf.lite.TFLiteConverter(). Here is a list of builtin operators you are using: ADD, CONCATENATION, CONV_2D, DIV, EXP, EXPAND_DIMS, FULLY_CONNECTED, LESS, LOGICAL_AND, MAXIMUM, MAX_POOL_2D, MINIMUM, MUL, PACK, RANGE, REDUCE_MAX, RESHAPE, REVERSE_V2, SHAPE, STRIDED_SLICE, SUB, SUM, TANH, TILE, TRANSPOSE, UNPACK, ZEROS_LIKE. Here is a list of operators for which you will need custom implementations: Enter, Exit, LoopCond, Merge, Switch, TensorArrayGatherV3, TensorArrayReadV3, TensorArrayScatterV3, TensorArraySizeV3, TensorArrayV3, TensorArrayWriteV3"><pre class="notranslate"><code class="notranslate">Some of the operators in the model are not supported by the standard TensorFlow Lite runtime. If those are native TensorFlow operators, you might be able to use the extended runtime by passing --enable_select_tf_ops, or by setting target_ops=TFLITE_BUILTINS,SELECT_TF_OPS when calling tf.lite.TFLiteConverter(). Otherwise, if you have a custom implementation for them you can disable this error with --allow_custom_ops, or by setting allow_custom_ops=True when calling tf.lite.TFLiteConverter(). Here is a list of builtin operators you are using: ADD, CONCATENATION, CONV_2D, DIV, EXP, EXPAND_DIMS, FULLY_CONNECTED, LESS, LOGICAL_AND, MAXIMUM, MAX_POOL_2D, MINIMUM, MUL, PACK, RANGE, REDUCE_MAX, RESHAPE, REVERSE_V2, SHAPE, STRIDED_SLICE, SUB, SUM, TANH, TILE, TRANSPOSE, UNPACK, ZEROS_LIKE. Here is a list of operators for which you will need custom implementations: Enter, Exit, LoopCond, Merge, Switch, TensorArrayGatherV3, TensorArrayReadV3, TensorArrayScatterV3, TensorArraySizeV3, TensorArrayV3, TensorArrayWriteV3 </code></pre></div> <p dir="auto">When I added the --allow_custom_ops flag to the same command above, I received the following output:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="E tensorflow/lite/toco/toco_tooling.cc:456] TensorFlow Lite currently doesn't support control flow ops: Enter, Exit, Merge, Switch."><pre class="notranslate"><code class="notranslate">E tensorflow/lite/toco/toco_tooling.cc:456] TensorFlow Lite currently doesn't support control flow ops: Enter, Exit, Merge, Switch. </code></pre></div> <p dir="auto">It is possible to avoid using those control flow ops (Enter, Exit, Merge, Switch) in my original .pb model?<br> Thanks for your help.</p>
<p dir="auto">Building tensorflow using the makefile method, i get the below error,</p> <p dir="auto"><code class="notranslate">PROTOC = "protoc" CC_PREFIX = "" gcc --std=c++11 -DIS_SLIM_BUILD -O0 -I/usr/local/include -I. -I/home/olimex/tf/tensorflow/tensorflow/contrib/makefile/downloads/ -I/home/olimex/tf/tensorflow/tensorflow/contrib/makefile/downloads/eigen-eigen-334b1d428283 -I/home/olimex/tf/tensorflow/tensorflow/contrib/makefile/gen/proto/ -I/home/olimex/tf/tensorflow/tensorflow/contrib/makefile/gen/proto_text/ \ -o /home/olimex/tf/tensorflow/tensorflow/contrib/makefile/gen/bin/benchmark /home/olimex/tf/tensorflow/tensorflow/contrib/makefile/gen/obj/tensorflow/core/util/reporter.o /home/olimex/tf/tensorflow/tensorflow/contrib/makefile/gen/obj/tensorflow/tools/benchmark/benchmark_model.o /home/olimex/tf/tensorflow/tensorflow/contrib/makefile/gen/obj/tensorflow/tools/benchmark/benchmark_model_main.o \ -Wl,--allow-multiple-definition -Wl,--whole-archive /home/olimex/tf/tensorflow/tensorflow/contrib/makefile/gen/lib/libtensorflow-core.a -L/usr/local/lib -lstdc++ -lprotobuf -lz -lm -ldl -lpthread /usr/lib/gcc/arm-linux-gnueabihf/4.8/libgcc.a(fp16.o): In function</code>__gnu_h2f_ieee':<br> (.text+0x12a): relocation truncated to fit: R_ARM_THM_JUMP11 against symbol <code class="notranslate">__gnu_h2f_internal' defined in .text section in /usr/lib/gcc/arm-linux-gnueabihf/4.8/libgcc.a(fp16.o) /usr/lib/gcc/arm-linux-gnueabihf/4.8/libgcc.a(fp16.o): In function</code>__gnu_h2f_alternative':<br> (.text+0x132): relocation truncated to fit: R_ARM_THM_JUMP11 against symbol <code class="notranslate">__gnu_h2f_internal' defined in .text section in /usr/lib/gcc/arm-linux-gnueabihf/4.8/libgcc.a(fp16.o) /usr/lib/gcc/arm-linux-gnueabihf/4.8/libgcc.a(fp16.o): In function</code>__gnu_h2f_ieee':<br> (.text+0x12a): relocation truncated to fit: R_ARM_THM_JUMP11 against symbol <code class="notranslate">__gnu_h2f_internal' defined in .text section in /usr/lib/gcc/arm-linux-gnueabihf/4.8/libgcc.a(fp16.o) /usr/lib/gcc/arm-linux-gnueabihf/4.8/libgcc.a(fp16.o): In function</code>__gnu_h2f_alternative':<br> (.text+0x132): relocation truncated to fit: R_ARM_THM_JUMP11 against symbol <code class="notranslate">__gnu_h2f_internal' defined in .text section in /usr/lib/gcc/arm-linux-gnueabihf/4.8/libgcc.a(fp16.o) /usr/lib/gcc/arm-linux-gnueabihf/4.8/libgcc.a(fp16.o): In function</code>__gnu_h2f_ieee':<br> (.text+0x12a): relocation truncated to fit: R_ARM_THM_JUMP11 against symbol <code class="notranslate">__gnu_h2f_internal' defined in .text section in /usr/lib/gcc/arm-linux-gnueabihf/4.8/libgcc.a(fp16.o) /usr/lib/gcc/arm-linux-gnueabihf/4.8/libgcc.a(fp16.o): In function</code>__gnu_h2f_alternative':<br> (.text+0x132): relocation truncated to fit: R_ARM_THM_JUMP11 against symbol <code class="notranslate">__gnu_h2f_internal' defined in .text section in /usr/lib/gcc/arm-linux-gnueabihf/4.8/libgcc.a(fp16.o) collect2: error: ld returned 1 exit status</code></p> <p dir="auto">From what i understand this appears to be an issue with the linker trying to branch on a long address,<br> <a href="https://lists.gnu.org/archive/html/bug-binutils/2007-06/msg00065.html" rel="nofollow">https://lists.gnu.org/archive/html/bug-binutils/2007-06/msg00065.html</a><br> But this issue is back from 2007, any workaround i can do on the source to avoid this?</p> <p dir="auto">System:<br> gcc version 4.8.4 (Debian 4.8.4-1)<br> GNU ld (GNU Binutils for Debian) 2.25</p>
0
<p dir="auto"><em>Please make sure that this is a bug. As per our <a href="https://github.com/tensorflow/tensorflow/blob/master/ISSUES.md">GitHub Policy</a>, we only address code/doc bugs, performance issues, feature requests and build/installation issues on GitHub. tag:bug_template</em></p> <p dir="auto"><strong>System information</strong></p> <ul dir="auto"> <li>Have I written custom code (as opposed to using a stock example script provided in TensorFlow):</li> <li>OS Platform and Distribution (e.g., Linux Ubuntu 16.04):</li> <li>Mobile device (e.g. iPhone 8, Pixel 2, Samsung Galaxy) if the issue happens on mobile device:</li> <li>TensorFlow installed from (source or binary):</li> <li>TensorFlow version (use command below):</li> <li>Python version: 3.6</li> <li>Bazel version (if compiling from source):</li> <li>GCC/Compiler version (if compiling from source):</li> <li>CUDA/cuDNN version:</li> <li>GPU model and memory:</li> </ul> <p dir="auto">You can collect some of this information using our environment capture<br> <a href="https://github.com/tensorflow/tensorflow/tree/master/tools/tf_env_collect.sh">script</a><br> You can also obtain the TensorFlow version with: 1. TF 1.0: <code class="notranslate">python -c "import tensorflow as tf; print(tf.GIT_VERSION, tf.VERSION)"</code> 2. TF 2.0: <code class="notranslate">python -c "import tensorflow as tf; print(tf.version.GIT_VERSION, tf.version.VERSION)"</code></p> <p dir="auto"><strong>Describe the current behavior</strong><br> Line 76 in tensorflow/python/platform/self_check.py<br> except OSError:<br> raise ImportError(<br> "Could not find %r. TensorFlow requires that this DLL be "<br> "installed in a directory that is named in your %%PATH%% "<br> "environment variable. Download and install CUDA %s from "<br> "this URL: <a href="https://developer.nvidia.com/cuda-90-download-archive" rel="nofollow">https://developer.nvidia.com/cuda-90-download-archive</a>"<br> % (build_info.cudart_dll_name, build_info.cuda_version_number))</p> <p dir="auto">The URL directs you to version 9 but the current dll checks for version 10.</p> <p dir="auto"><strong>Describe the expected behavior</strong></p> <p dir="auto"><strong>Code to reproduce the issue</strong><br> Provide a reproducible test case that is the bare minimum necessary to generate the problem.</p> <p dir="auto"><strong>Other info / logs</strong><br> Include any logs or source code that would be helpful to diagnose the problem. If including tracebacks, please include the full traceback. Large logs and files should be attached.</p>
<p dir="auto">TensorFlow 1.x has over 2000 endpoints total including over 500 endpoints in the root namespace. As number of symbols grows, it is important to maintain a clear structure to aid discoverability.</p> <p dir="auto">Certain API symbol placements could be improved:</p> <ul dir="auto"> <li>Some namespaces were created recently and might not contain all the corresponding symbols. For e.g. <code class="notranslate">tf.math</code> namespace was added recently. Symbols such as <code class="notranslate">tf.round</code> are not in <code class="notranslate">tf.math</code> namespace even though logically they belong in that namespace.</li> <li>Some symbols are included in the root namespace even though they are rarely used (for e.g. <code class="notranslate">tf.zeta</code>).</li> <li>Some symbols currently start with a prefix that could really be replaced by introducing a subnamespace (for e.g. <code class="notranslate">tf.string_strip</code> vs <code class="notranslate">tf.strings.strip</code>, <code class="notranslate">tf.sparse_maximum</code> vs <code class="notranslate">tf.sparse.maximum</code>).</li> <li>Certain deep hierarchies seem redundant and could be flattened (for e.g. <code class="notranslate">tf.saved_model.signature_constants.CLASSIFY_INPUTS</code> could be moved to <code class="notranslate">tf.saved_model.CLASSIFY_INPUTS</code>).</li> <li>To keep clear structure and reduce duplication, we want to collect all layers, losses and metrics under the <code class="notranslate">tf.keras</code> namespace.</li> <li>In general, we want to balance flatness and browsability. Flat hierarchies allow for shorter endpoint names that are easy to remember (for e.g. <code class="notranslate">tf.add</code> vs <code class="notranslate">tf.math.add</code>). At the same time subnamespaces support easier browsability (for e.g. <code class="notranslate">tf.math</code> namespace would contain all math functions making it easier to discover available symbols).</li> </ul> <p dir="auto">Additional information about API symbol renames in TensorFlow 2.0 can be found in the RFC <a href="https://github.com/tensorflow/community/blob/master/rfcs/20180827-api-names.md">here</a>.</p>
0
<h5 dir="auto">Issue Type:</h5> <ul dir="auto"> <li>Bug Report</li> </ul> <h5 dir="auto">Ansible Version:</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ ansible --version ansible 2.0.0.2 config file = /opt/tmp/vagrant/homelab/ansible.cfg configured module search path = Default w/o overrides"><pre class="notranslate"><code class="notranslate">$ ansible --version ansible 2.0.0.2 config file = /opt/tmp/vagrant/homelab/ansible.cfg configured module search path = Default w/o overrides </code></pre></div> <h5 dir="auto">Ansible Configuration:</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ egrep -v '(^$|^#)' ansible.cfg [defaults] roles_path = ./ transport = ssh forks=5 callback_plugins = callback_plugins/ [ssh_connection] ssh_args = -o ForwardAgent=yes pipelining=True $ env |grep ANSIBLE_ $"><pre class="notranslate"><code class="notranslate">$ egrep -v '(^$|^#)' ansible.cfg [defaults] roles_path = ./ transport = ssh forks=5 callback_plugins = callback_plugins/ [ssh_connection] ssh_args = -o ForwardAgent=yes pipelining=True $ env |grep ANSIBLE_ $ </code></pre></div> <h5 dir="auto">Environment:</h5> <p dir="auto">Ubuntu trusty host. guest is trusty or centos7</p> <h5 dir="auto">Summary:</h5> <p dir="auto">Since upgrade to ansible2, part of my roles are failing because some variables which are set as ansible_ssh_user in defaults/main.yml are seen empty</p> <p dir="auto">See also<br> <a href="https://github.com/debops/ansible-libvirtd/commit/6f3916bd3965c62d8f84c87c9283d9ca6d2ada50">https://github.com/debops/ansible-libvirtd/commit/6f3916bd3965c62d8f84c87c9283d9ca6d2ada50</a><br> <a href="http://docs.debops.org/en/latest/ansible/roles/ansible-atd/docs/defaults.html" rel="nofollow">http://docs.debops.org/en/latest/ansible/roles/ansible-atd/docs/defaults.html</a><br> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="129603462" data-permission-text="Title is private" data-url="https://github.com/ansible/ansible/issues/14195" data-hovercard-type="issue" data-hovercard-url="/ansible/ansible/issues/14195/hovercard" href="https://github.com/ansible/ansible/issues/14195">#14195</a></p> <p dir="auto">Possibly because of<br> "* We do not ignore the explicitly set login user for ssh when it matches the 'current user' anymore, this allows overriding .ssh/config when it is set<br> explicitly. Leaving it unset will still use the same user and respect .ssh/config. This also means ansible_ssh_user can now return a None value."<br> in <a href="https://raw.githubusercontent.com/ansible/ansible/v2.0.0.0-1/CHANGELOG.md" rel="nofollow">https://raw.githubusercontent.com/ansible/ansible/v2.0.0.0-1/CHANGELOG.md</a></p> <h5 dir="auto">Steps To Reproduce:</h5> <p dir="auto">below playbook reproduce my issue<br> with first definition of myuser, last task fails with myuser appearing empty even if before, the debug displayed vagrant user correctly<br> the other definition are setting the value during all the playbook with my host user which is different, so no good.<br> Got a temporary quick fix but clearly not ideal</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="- hosts: test vars: - myuser: &quot;{{ ansible_ssh_user }}&quot; ## got lookup on host, not on guest... # - myuser: '{{ (ansible_ssh_user # if (ansible_ssh_user | bool and # ansible_ssh_user != &quot;root&quot;) # else lookup(&quot;env&quot;, &quot;USER&quot;)) }}' ## got lookup on host, not on guest... # - myuser: &quot;{{ ansible_user | default(lookup('env', 'USER'), True) }}&quot; - mygopath: &quot;/home/{{ myuser }}/go&quot; tasks: - debug: var=myuser - debug: var=ansible_ssh_user - debug: var=ansible_user - debug: var=remote_user - fail: msg=&quot;myuser is not defined or empty!&quot; when: myuser is not defined or myuser == '' - stat: path=&quot;/home/{{ myuser }}/.bashrc&quot; register: homemiguser - debug: var=homemiguser - debug: var=myuser ## quick fix # - set_fact: # myuser: 'vagrant' # when: myuser is not defined or myuser != &quot;&quot; or myuser == null - debug: var=myuser - name: Update PATH and GOPATH in bashrc - myuser lineinfile: dest: &quot;{{ item.d }}&quot; line: &quot;{{ item.l }}&quot; regexp: &quot;{{ item.r }}&quot; insertafter: EOF state: present create: False with_items: - { d: &quot;/home/{{ myuser }}/.bashrc&quot;, r: &quot;go/bin&quot;, l: 'export PATH=$PATH\:/usr/local/go/bin' } - { d: &quot;/home/{{ myuser }}/.bashrc&quot;, r: &quot;GOPATH={{ mygopath }}&quot;, l: &quot;export GOPATH={{ mygopath }}&quot; } ## on centos7, missing this for fpm - { d: &quot;/home/{{ myuser }}/.bashrc&quot;, r: &quot;/usr/local/bin&quot;, l: 'export PATH=$PATH\:/usr/local/bin' } when: homemiguser.stat.exists"><pre class="notranslate"><code class="notranslate">- hosts: test vars: - myuser: "{{ ansible_ssh_user }}" ## got lookup on host, not on guest... # - myuser: '{{ (ansible_ssh_user # if (ansible_ssh_user | bool and # ansible_ssh_user != "root") # else lookup("env", "USER")) }}' ## got lookup on host, not on guest... # - myuser: "{{ ansible_user | default(lookup('env', 'USER'), True) }}" - mygopath: "/home/{{ myuser }}/go" tasks: - debug: var=myuser - debug: var=ansible_ssh_user - debug: var=ansible_user - debug: var=remote_user - fail: msg="myuser is not defined or empty!" when: myuser is not defined or myuser == '' - stat: path="/home/{{ myuser }}/.bashrc" register: homemiguser - debug: var=homemiguser - debug: var=myuser ## quick fix # - set_fact: # myuser: 'vagrant' # when: myuser is not defined or myuser != "" or myuser == null - debug: var=myuser - name: Update PATH and GOPATH in bashrc - myuser lineinfile: dest: "{{ item.d }}" line: "{{ item.l }}" regexp: "{{ item.r }}" insertafter: EOF state: present create: False with_items: - { d: "/home/{{ myuser }}/.bashrc", r: "go/bin", l: 'export PATH=$PATH\:/usr/local/go/bin' } - { d: "/home/{{ myuser }}/.bashrc", r: "GOPATH={{ mygopath }}", l: "export GOPATH={{ mygopath }}" } ## on centos7, missing this for fpm - { d: "/home/{{ myuser }}/.bashrc", r: "/usr/local/bin", l: 'export PATH=$PATH\:/usr/local/bin' } when: homemiguser.stat.exists </code></pre></div> <h5 dir="auto">Expected Results:</h5> <p dir="auto">myuser should be set once and for all to remote user (in my case vagrant)</p> <h5 dir="auto">Actual Results:</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ ansible-playbook -i .vagrant/provisioners/ansible/inventory/vagrant_ansible_inventory --limit lcentral test-user.yml PLAY *************************************************************************** TASK [setup] ******************************************************************* ok: [lcentral] TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { &quot;myuser&quot;: &quot;vagrant&quot; } TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { &quot;ansible_ssh_user&quot;: &quot;vagrant&quot; } TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { &quot;ansible_user&quot;: &quot;vagrant&quot; } TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { &quot;remote_user&quot;: &quot;VARIABLE IS NOT DEFINED!&quot; } TASK [fail] ******************************************************************** skipping: [lcentral] TASK [stat] ******************************************************************** ok: [lcentral] TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { &quot;homemiguser&quot;: { &quot;changed&quot;: false, &quot;stat&quot;: { &quot;atime&quot;: 1456064521.0777302, &quot;checksum&quot;: &quot;c76cbba3f0b550225c6dc31bf763a9415dc35934&quot;, &quot;ctime&quot;: 1456064489.9417298, &quot;dev&quot;: 2049, &quot;exists&quot;: true, [...] &quot;path&quot;: &quot;/home/vagrant/.bashrc&quot;, &quot;pw_name&quot;: &quot;vagrant&quot;, [...] } } } TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { &quot;myuser&quot;: &quot;vagrant&quot; } TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { &quot;myuser&quot;: &quot;vagrant&quot; } TASK [Update PATH and GOPATH in bashrc - myuser] ******************************* failed: [lcentral] =&gt; (item={u'r': u'go/bin', u'd': u'/home//.bashrc', u'l': u'export PATH=$PATH\\:/usr/local/go/bin'}) =&gt; {&quot;failed&quot;: true, &quot;item&quot;: {&quot;d&quot;: &quot;/home//.bashrc&quot;, &quot;l&quot;: &quot;export PATH=$PATH\\:/usr/local/go/bin&quot;, &quot;r&quot;: &quot;go/bin&quot;}, &quot;msg&quot;: &quot;Destination /home//.bashrc does not exist !&quot;, &quot;rc&quot;: 257} failed: [lcentral] =&gt; (item={u'r': u'GOPATH=/home//go', u'd': u'/home//.bashrc', u'l': u'export GOPATH=/home//go'}) =&gt; {&quot;failed&quot;: true, &quot;item&quot;: {&quot;d&quot;: &quot;/home//.bashrc&quot;, &quot;l&quot;: &quot;export GOPATH=/home//go&quot;, &quot;r&quot;: &quot;GOPATH=/home//go&quot;}, &quot;msg&quot;: &quot;Destination /home//.bashrc does not exist !&quot;, &quot;rc&quot;: 257} failed: [lcentral] =&gt; (item={u'r': u'/usr/local/bin', u'd': u'/home//.bashrc', u'l': u'export PATH=$PATH\\:/usr/local/bin'}) =&gt; {&quot;failed&quot;: true, &quot;item&quot;: {&quot;d&quot;: &quot;/home//.bashrc&quot;, &quot;l&quot;: &quot;export PATH=$PATH\\:/usr/local/bin&quot;, &quot;r&quot;: &quot;/usr/local/bin&quot;}, &quot;msg&quot;: &quot;Destination /home//.bashrc does not exist !&quot;, &quot;rc&quot;: 257} PLAY RECAP ********************************************************************* lcentral : ok=9 changed=0 unreachable=0 failed=1 "><pre class="notranslate"><code class="notranslate">$ ansible-playbook -i .vagrant/provisioners/ansible/inventory/vagrant_ansible_inventory --limit lcentral test-user.yml PLAY *************************************************************************** TASK [setup] ******************************************************************* ok: [lcentral] TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { "myuser": "vagrant" } TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { "ansible_ssh_user": "vagrant" } TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { "ansible_user": "vagrant" } TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { "remote_user": "VARIABLE IS NOT DEFINED!" } TASK [fail] ******************************************************************** skipping: [lcentral] TASK [stat] ******************************************************************** ok: [lcentral] TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { "homemiguser": { "changed": false, "stat": { "atime": 1456064521.0777302, "checksum": "c76cbba3f0b550225c6dc31bf763a9415dc35934", "ctime": 1456064489.9417298, "dev": 2049, "exists": true, [...] "path": "/home/vagrant/.bashrc", "pw_name": "vagrant", [...] } } } TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { "myuser": "vagrant" } TASK [debug] ******************************************************************* ok: [lcentral] =&gt; { "myuser": "vagrant" } TASK [Update PATH and GOPATH in bashrc - myuser] ******************************* failed: [lcentral] =&gt; (item={u'r': u'go/bin', u'd': u'/home//.bashrc', u'l': u'export PATH=$PATH\\:/usr/local/go/bin'}) =&gt; {"failed": true, "item": {"d": "/home//.bashrc", "l": "export PATH=$PATH\\:/usr/local/go/bin", "r": "go/bin"}, "msg": "Destination /home//.bashrc does not exist !", "rc": 257} failed: [lcentral] =&gt; (item={u'r': u'GOPATH=/home//go', u'd': u'/home//.bashrc', u'l': u'export GOPATH=/home//go'}) =&gt; {"failed": true, "item": {"d": "/home//.bashrc", "l": "export GOPATH=/home//go", "r": "GOPATH=/home//go"}, "msg": "Destination /home//.bashrc does not exist !", "rc": 257} failed: [lcentral] =&gt; (item={u'r': u'/usr/local/bin', u'd': u'/home//.bashrc', u'l': u'export PATH=$PATH\\:/usr/local/bin'}) =&gt; {"failed": true, "item": {"d": "/home//.bashrc", "l": "export PATH=$PATH\\:/usr/local/bin", "r": "/usr/local/bin"}, "msg": "Destination /home//.bashrc does not exist !", "rc": 257} PLAY RECAP ********************************************************************* lcentral : ok=9 changed=0 unreachable=0 failed=1 </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">docker_container</p> <h5 dir="auto">ANSIBLE VERSION</h5> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ ansible --version ansible 2.4.1.0 config file = /home/ubuntu/.ansible.cfg configured module search path = [u'/home/ubuntu/.ansible/plugins/modules', u'/usr/share/ansible/plugins/modules'] ansible python module location = /usr/lib/python2.7/dist-packages/ansible executable location = /usr/bin/ansible python version = 2.7.12 (default, Nov 20 2017, 18:23:56) [GCC 5.4.0 20160609]"><pre class="notranslate"><code class="notranslate">$ ansible --version ansible 2.4.1.0 config file = /home/ubuntu/.ansible.cfg configured module search path = [u'/home/ubuntu/.ansible/plugins/modules', u'/usr/share/ansible/plugins/modules'] ansible python module location = /usr/lib/python2.7/dist-packages/ansible executable location = /usr/bin/ansible python version = 2.7.12 (default, Nov 20 2017, 18:23:56) [GCC 5.4.0 20160609] </code></pre></div> <h5 dir="auto">CONFIGURATION</h5> <p dir="auto">ANSIBLE_SSH_ARGS(/home/ubuntu/.ansible.cfg) = -o StrictHostKeyChecking=no<br> DEFAULT_REMOTE_USER(/home/ubuntu/.ansible.cfg) = hoylu<br> DEFAULT_ROLES_PATH(/home/ubuntu/.ansible.cfg) = [u'/home/ubuntu/ansible-roles']<br> DEFAULT_SCP_IF_SSH(/home/ubuntu/.ansible.cfg) = True<br> DEFAULT_TRANSPORT(/home/ubuntu/.ansible.cfg) = ssh</p> <h5 dir="auto">OS / ENVIRONMENT</h5> <p dir="auto">NA</p> <h5 dir="auto">SUMMARY</h5> <p dir="auto">when a container is started with the 'dns_servers' parameter set, and then the parameter is . removed and the task is run again, one would expect that the container gets re-created with the Docker Dns parameter set to null.</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: &quot;test docker containerr recreate with server_dns&quot; hosts: localhost tasks: - name: start the test container docker_container: name: tester image: redis - name: this should restart the test container docker_container: name: tester image: redis dns_servers: &quot;8.8.8.8&quot; - name: this should also restart the test container docker_container: name: tester image: redis"><pre class="notranslate">- <span class="pl-ent">name</span>: <span class="pl-s"><span class="pl-pds">"</span>test docker containerr recreate with server_dns<span class="pl-pds">"</span></span> <span class="pl-ent">hosts</span>: <span class="pl-s">localhost</span> <span class="pl-ent">tasks</span>: - <span class="pl-ent">name</span>: <span class="pl-s">start the test container</span> <span class="pl-ent">docker_container</span>: <span class="pl-ent">name</span>: <span class="pl-s">tester</span> <span class="pl-ent">image</span>: <span class="pl-s">redis</span> - <span class="pl-ent">name</span>: <span class="pl-s">this should restart the test container</span> <span class="pl-ent">docker_container</span>: <span class="pl-ent">name</span>: <span class="pl-s">tester</span> <span class="pl-ent">image</span>: <span class="pl-s">redis</span> <span class="pl-ent">dns_servers</span>: <span class="pl-s"><span class="pl-pds">"</span>8.8.8.8<span class="pl-pds">"</span></span> - <span class="pl-ent">name</span>: <span class="pl-s">this should also restart the test container</span> <span class="pl-ent">docker_container</span>: <span class="pl-ent">name</span>: <span class="pl-s">tester</span> <span class="pl-ent">image</span>: <span class="pl-s">redis</span></pre></div> <h5 dir="auto">EXPECTED RESULTS</h5> <p dir="auto">Expected a <code class="notranslate">changed</code> on the task 'this should also restart the container'</p> <h5 dir="auto">ACTUAL RESULTS</h5> <p dir="auto">Got an <code class="notranslate">ok</code> on the task. The container was not restarted despite the configuration being different. Running it in -vvvv mode shows <code class="notranslate">module_args:dns_servers</code> set to null, but that is not applied to the container.</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="PLAY [test docker containerr recreate with server_dns] ******************************************************************************************************** TASK [Gathering Facts] **************************************************************************************************************************************** ok: [localhost] TASK [start the test container] ******************************************************************************************************************************* changed: [localhost] TASK [this should restart the test container] ***************************************************************************************************************** changed: [localhost] TASK [this should also restart the test container] ************************************************************************************************************ ok: [localhost] PLAY RECAP **************************************************************************************************************************************************** localhost : ok=4 changed=2 unreachable=0 failed=0"><pre class="notranslate"><code class="notranslate">PLAY [test docker containerr recreate with server_dns] ******************************************************************************************************** TASK [Gathering Facts] **************************************************************************************************************************************** ok: [localhost] TASK [start the test container] ******************************************************************************************************************************* changed: [localhost] TASK [this should restart the test container] ***************************************************************************************************************** changed: [localhost] TASK [this should also restart the test container] ************************************************************************************************************ ok: [localhost] PLAY RECAP **************************************************************************************************************************************************** localhost : ok=4 changed=2 unreachable=0 failed=0 </code></pre></div>
0
<p dir="auto">Hi!<br> I test some <code class="notranslate">big</code> images which <code class="notranslate">exifRotation</code> is 90.<br> When using okhttp, it showed very very slow, about <code class="notranslate">5 - 10</code> seconds.<br> But, showed fast if not using okhttp!</p> <p dir="auto">When using okhttp:<br> If set <code class="notranslate">diskCacheStrategy(DiskCacheStrategy.SOURCE)</code>, it will show faster!<br> If set <code class="notranslate">override()</code> with a smaller size, it is also showed faster!<br> If <code class="notranslate">exifRotation</code> is 0, it is also showed faster!</p> <p dir="auto">My test images is: (put into sdcard, load from sdcard)<br> <a href="https://cloud.githubusercontent.com/assets/6055764/3547973/bc1e4710-08a3-11e4-99e9-4d26f2f1f67e.jpg" rel="nofollow">https://cloud.githubusercontent.com/assets/6055764/3547973/bc1e4710-08a3-11e4-99e9-4d26f2f1f67e.jpg</a><br> <a href="https://cloud.githubusercontent.com/assets/6055764/3547974/be3b85b2-08a3-11e4-8e0b-eb4a484c8654.jpg" rel="nofollow">https://cloud.githubusercontent.com/assets/6055764/3547974/be3b85b2-08a3-11e4-8e0b-eb4a484c8654.jpg</a><br> <a href="https://cloud.githubusercontent.com/assets/6055764/3547975/c0b52726-08a3-11e4-9437-bdb5c777d0b5.jpg" rel="nofollow">https://cloud.githubusercontent.com/assets/6055764/3547975/c0b52726-08a3-11e4-9437-bdb5c777d0b5.jpg</a></p> <p dir="auto">Is it the same problem? <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="43637612" data-permission-text="Title is private" data-url="https://github.com/bumptech/glide/issues/150" data-hovercard-type="issue" data-hovercard-url="/bumptech/glide/issues/150/hovercard" href="https://github.com/bumptech/glide/issues/150">#150</a></p>
<p dir="auto">First, load image from all, when the task is not completed, then load image only Retrieve From Cache,<br> will block on load image only Retrieve From Cache.</p> <p dir="auto">Engine load</p> <div class="highlight highlight-source-java notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" ..... EngineJob&lt;?&gt; current = jobs.get(key); if (current != null) { current.addCallback(cb); if (Log.isLoggable(TAG, Log.VERBOSE)) { logWithTimeAndKey(&quot;Added to existing load&quot;, startTime, key); } return new LoadStatus(cb, current); } ....."><pre class="notranslate"> ..... <span class="pl-smi">EngineJob</span>&lt;?&gt; <span class="pl-s1">current</span> = <span class="pl-s1">jobs</span>.<span class="pl-en">get</span>(<span class="pl-s1">key</span>); <span class="pl-k">if</span> (<span class="pl-s1">current</span> != <span class="pl-c1">null</span>) { <span class="pl-s1">current</span>.<span class="pl-en">addCallback</span>(<span class="pl-s1">cb</span>); <span class="pl-k">if</span> (<span class="pl-smi">Log</span>.<span class="pl-en">isLoggable</span>(<span class="pl-c1">TAG</span>, <span class="pl-smi">Log</span>.<span class="pl-c1">VERBOSE</span>)) { <span class="pl-en">logWithTimeAndKey</span>(<span class="pl-s">"Added to existing load"</span>, <span class="pl-s1">startTime</span>, <span class="pl-s1">key</span>); } <span class="pl-k">return</span> <span class="pl-k">new</span> <span class="pl-smi">LoadStatus</span>(<span class="pl-s1">cb</span>, <span class="pl-s1">current</span>); } .....</pre></div>
0
<p dir="auto">When viewing the components page of the documentation, the list of sections in the left navigation is so long that it extends beyond the end of my monitor. Because it is in a fixed position I can't scroll to see the bottom of the list. Longer lists of subsections hide more section links because they expand and push them down. There are two ways I can see what's at the bottom: scroll through the whole page, or click on one of the sections that has no subsections and allow the whole list to barely fit.</p> <p dir="auto">I'm on a 13" macbook pro w/ retina with default resolution and font / size settings. I'm using Chrome with the bookmark bar enabled, and I have the window full screened.</p> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://camo.githubusercontent.com/a61fc72caa13c43b40cb80a1106cbab1e1753d5b23756681029c140512020471/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f34373137392f313833303535362f63306535306362632d373334632d313165332d383164382d6435396437343439633230352e706e67"><img src="https://camo.githubusercontent.com/a61fc72caa13c43b40cb80a1106cbab1e1753d5b23756681029c140512020471/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f34373137392f313833303535362f63306535306362632d373334632d313165332d383164382d6435396437343439633230352e706e67" alt="screen shot 2014-01-01 at 7 23 31 pm" data-canonical-src="https://f.cloud.github.com/assets/47179/1830556/c0e50cbc-734c-11e3-81d8-d59d7449c205.png" style="max-width: 100%;"></a></p>
<p dir="auto">When you display some item that has a lot of subitems, the nav grows so much that it doesn't fit on some resolutions, and some of the items aren't shown.</p> <p dir="auto"><a href="http://oi43.tinypic.com/2ivjtyv.jpg" rel="nofollow">http://oi43.tinypic.com/2ivjtyv.jpg</a></p> <p dir="auto">On that screenshot, nav items are shown up to badges, missing the remaining. I've tested it on latest Firefox and Chrome at 1366x768.</p>
1
<p dir="auto">Setting <code class="notranslate">verbose=0</code> in <code class="notranslate">tf.keras.model.fit_generator()</code> has no effect if <code class="notranslate">validation_data</code> is provided.<br> The progress is still displayed for each validation step.<br> This is annoying if you have a callback that is responsible for printing progress.</p> <p dir="auto"><strong>System information</strong></p> <ul dir="auto"> <li>running in docker container tensorflow/tensorflow:latest-py3-jupyter</li> <li><code class="notranslate">tf.GIT_VERSION</code>: v1.13.1-0-g6612da8951</li> <li><code class="notranslate">tf.VERSION</code>: 1.13.1</li> <li><code class="notranslate">tf.keras.__version__</code>: 2.2.4-tf</li> </ul> <p dir="auto"><strong>Describe the current behavior</strong><br> Progress-bar is displayed regardless of <code class="notranslate">verbose=0</code></p> <p dir="auto"><strong>Describe the expected behavior</strong><br> Nothing should be printed</p> <p dir="auto"><strong>Code to reproduce the issue</strong></p> <div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="model = tf.keras.models.Sequential([ tf.keras.layers.Dense(1, input_shape=(1,)) ]) model.compile(loss=&quot;mae&quot;, optimizer=&quot;adam&quot;) def generator(): i=0 while 1: yield (np.array([i]),[i]) i+=1 valData = (np.arange(10), np.arange(10)) history = model.fit_generator(generator(), steps_per_epoch=5, verbose=0, validation_data=valData)"><pre class="notranslate"><span class="pl-s1">model</span> <span class="pl-c1">=</span> <span class="pl-s1">tf</span>.<span class="pl-s1">keras</span>.<span class="pl-s1">models</span>.<span class="pl-v">Sequential</span>([ <span class="pl-s1">tf</span>.<span class="pl-s1">keras</span>.<span class="pl-s1">layers</span>.<span class="pl-v">Dense</span>(<span class="pl-c1">1</span>, <span class="pl-s1">input_shape</span><span class="pl-c1">=</span>(<span class="pl-c1">1</span>,)) ]) <span class="pl-s1">model</span>.<span class="pl-en">compile</span>(<span class="pl-s1">loss</span><span class="pl-c1">=</span><span class="pl-s">"mae"</span>, <span class="pl-s1">optimizer</span><span class="pl-c1">=</span><span class="pl-s">"adam"</span>) <span class="pl-k">def</span> <span class="pl-en">generator</span>(): <span class="pl-s1">i</span><span class="pl-c1">=</span><span class="pl-c1">0</span> <span class="pl-k">while</span> <span class="pl-c1">1</span>: <span class="pl-k">yield</span> (<span class="pl-s1">np</span>.<span class="pl-en">array</span>([<span class="pl-s1">i</span>]),[<span class="pl-s1">i</span>]) <span class="pl-s1">i</span><span class="pl-c1">+=</span><span class="pl-c1">1</span> <span class="pl-s1">valData</span> <span class="pl-c1">=</span> (<span class="pl-s1">np</span>.<span class="pl-en">arange</span>(<span class="pl-c1">10</span>), <span class="pl-s1">np</span>.<span class="pl-en">arange</span>(<span class="pl-c1">10</span>)) <span class="pl-s1">history</span> <span class="pl-c1">=</span> <span class="pl-s1">model</span>.<span class="pl-en">fit_generator</span>(<span class="pl-en">generator</span>(), <span class="pl-s1">steps_per_epoch</span><span class="pl-c1">=</span><span class="pl-c1">5</span>, <span class="pl-s1">verbose</span><span class="pl-c1">=</span><span class="pl-c1">0</span>, <span class="pl-s1">validation_data</span><span class="pl-c1">=</span><span class="pl-s1">valData</span>)</pre></div> <p dir="auto">Output:</p> <blockquote> <p dir="auto">10/10 [==============================] - 0s 6ms/sample - loss: 11.3572</p> </blockquote> <p dir="auto">Omitting <code class="notranslate">validation_data</code> stops the output from appearing</p> <p dir="auto">Link to an example notebook:<br> <a href="https://colab.research.google.com/drive/1SrTdFXD_SCxu-gvo-h2YjFiAkO1CDaLG" rel="nofollow">https://colab.research.google.com/drive/1SrTdFXD_SCxu-gvo-h2YjFiAkO1CDaLG</a></p>
<p dir="auto"><strong>System information</strong></p> <ul dir="auto"> <li>OS Platform and Distribution (e.g., Linux Ubuntu 16.04): Windows 10 1809</li> <li>TensorFlow installed from (source or binary): pip</li> <li>TensorFlow version (use command below): 1.13 gpu</li> <li>Python version: 3.6</li> </ul> <p dir="auto"><strong>Bug</strong><br> When using <code class="notranslate">fit_generator</code> with validation the progress bar is printed regardless of the <code class="notranslate">verbose</code> setting.</p> <p dir="auto"><strong>Cause</strong><br> Line 216 of tensorflow/python/keras/engine/training_generator.py calls <code class="notranslate">model_iterator</code> to do validation, but does not pass the <code class="notranslate">verbose</code> parameter, meaning that the default value of <code class="notranslate">verbose=1</code> is used.</p> <p dir="auto"><strong>Solution</strong><br> Add in the missing parameter, e.g.</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" # Run the test loop every epoch during training. if do_validation and not callbacks.model.stop_training: val_results = model_iteration( model, validation_data, steps_per_epoch=validation_steps, batch_size=batch_size, class_weight=class_weight, workers=workers, use_multiprocessing=use_multiprocessing, max_queue_size=max_queue_size, verbose=verbose, mode='test')"><pre class="notranslate"><code class="notranslate"> # Run the test loop every epoch during training. if do_validation and not callbacks.model.stop_training: val_results = model_iteration( model, validation_data, steps_per_epoch=validation_steps, batch_size=batch_size, class_weight=class_weight, workers=workers, use_multiprocessing=use_multiprocessing, max_queue_size=max_queue_size, verbose=verbose, mode='test') </code></pre></div>
1
<p dir="auto">after update to Version 0.189.0, atom editor can't display Chinese character。</p>
<p dir="auto">Text:</p> <blockquote> <p dir="auto">这上面的夜的天空,奇怪而高,我生平没有见过这样奇怪而高的天空。他仿佛要离开人间而去,使人们仰面不再看见。然而现在却非常之蓝,闪闪地睒着几十个星星的眼,冷眼。他的口角上现出微笑,似乎自以为大有深意,而将繁霜洒在我的园里的野花草上。</p> </blockquote> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/49931/6959354/a30f8266-d94a-11e4-9167-35ea308a5ad2.png"><img src="https://cloud.githubusercontent.com/assets/49931/6959354/a30f8266-d94a-11e4-9167-35ea308a5ad2.png" alt="3" style="max-width: 100%;"></a></p> <p dir="auto">It happen after update to 0.189.0, and it's normal in 0.188.0 .</p> <p dir="auto">I try disabled all community packages or star with <code class="notranslate">--safe</code> mode, still happen.</p> <p dir="auto">Update: Ubuntu 14.04</p>
1
<ul dir="auto"> <li>VSCode Version: 1.0.0</li> <li>OS Version: osx 10.11.1</li> </ul> <p dir="auto">Steps to Reproduce:<br> 1 write #region &amp; #endregion<br> 2 inside code write in same level<br> 3 #region can't fold<br> <a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/16005289/14538139/d2320f8c-02ac-11e6-83e6-7568fa75d020.png"><img width="467" alt="10d5c9e2-aa57-4e15-b831-ecca9cc5b24e" src="https://cloud.githubusercontent.com/assets/16005289/14538139/d2320f8c-02ac-11e6-83e6-7568fa75d020.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/SamVerschueren/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/SamVerschueren">@SamVerschueren</a> on October 30, 2015 6:9</em></p> <p dir="auto">I might have seen a post regarding styling of the <code class="notranslate">OutputChannel</code>, but not sure though.</p> <p dir="auto">I think it would be a nice feature to support ANSI colors. This way libraries like <a href="https://github.com/chalk">chalk</a> can be used to style the output. Another benefit is that if you develop a plugin like Yeoman, who outputs to the console, the output can be directly passed to the <code class="notranslate">OutputChannel</code>.</p> <p dir="auto">Not sure if this is possible, but I think it would be a nice feature. No need to implement our own styling stuff in the channel, just use libraries that already exist.</p> <p dir="auto"><em>Copied from original issue: Microsoft/vscode-extensionbuilders#69</em></p>
0
<p dir="auto">After the update, interpolation strings in a plain <code class="notranslate">.js</code> file don't get highlighted anymore. Previous behaviour highlighted plain text, the <code class="notranslate">$</code> symbol and the interpolation braces. Now everything between <em>``</em> has no colouring at all.</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="function sayHello(customer) { console.log(`Hello ${customer}`); }"><pre class="notranslate"><code class="notranslate">function sayHello(customer) { console.log(`Hello ${customer}`); } </code></pre></div> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/2777107/11246534/59e31da4-8e18-11e5-883a-80d6fb8ff34b.PNG"><img src="https://cloud.githubusercontent.com/assets/2777107/11246534/59e31da4-8e18-11e5-883a-80d6fb8ff34b.PNG" alt="nocolours" style="max-width: 100%;"></a></p>
<p dir="auto">Right now, those keywords like <code class="notranslate">import</code> <code class="notranslate">class</code> <code class="notranslate">from</code> are all plain white.</p>
1
<p dir="auto">Following the lead of <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="113477866" data-permission-text="Title is private" data-url="https://github.com/golang/go/issues/13058" data-hovercard-type="issue" data-hovercard-url="/golang/go/issues/13058/hovercard" href="https://github.com/golang/go/issues/13058">#13058</a> towards smaller, more focused, sub repositories, I would like to propose the creation of a sub repo for packages related to handling the interaction with tty like things. This includes</p> <ul dir="auto"> <li>posix ttys and ptys</li> <li>serial termios control, like terminals and rs232 devices.</li> <li>windows cmd console</li> </ul> <p dir="auto">Much of the code for this exists in various packages, some in other sub repos like x/crypto/ssh/terminal, others has been duplicated incompletely by package authors with a specific use case; most times without a comprehensive story for windows.</p> <p dir="auto">Various informal proposal have been made, like <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="110032970" data-permission-text="Title is private" data-url="https://github.com/golang/go/issues/12853" data-hovercard-type="issue" data-hovercard-url="/golang/go/issues/12853/hovercard" href="https://github.com/golang/go/issues/12853">#12853</a>, relating to posix termios.</p> <p dir="auto">Other proposals like <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="100188435" data-permission-text="Title is private" data-url="https://github.com/golang/go/issues/12101" data-hovercard-type="issue" data-hovercard-url="/golang/go/issues/12101/hovercard" href="https://github.com/golang/go/issues/12101">#12101</a> for the creation of an x/sys/terminal group of packages have been rejected on the grounds that sys is too low level, which also dovetails into the desire for more smaller sub repos, rather than larger ones.</p> <p dir="auto">There is also the the long standing question of why the code to disable terminal echo lives in the x/crypto/ssh package.</p> <p dir="auto">With the exception of the <em>name</em> of the repository, which I'm sure will require debate, is there general support for a sub repository along the lines outlined in this proposal ?</p>
<p dir="auto">I use this command to update all my <code class="notranslate">GOPATH</code>:<br> <code class="notranslate">go get -v -d -u .../</code> (or replace ".../" by "all")<br> It worked with Go 1.5 (and I don't remember to see any error with Go 1.6 beta/rc)</p> <p dir="auto">With Go 1.6, it prints this at the end:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="internal error: duplicate loads of runtime/internal/sys internal error: duplicate loads of unsafe internal error: duplicate loads of runtime/internal/atomic internal error: duplicate loads of runtime internal error: duplicate loads of errors internal error: duplicate loads of internal/race internal error: duplicate loads of sync/atomic internal error: duplicate loads of sync internal error: duplicate loads of io internal error: duplicate loads of unicode internal error: duplicate loads of unicode/utf8 internal error: duplicate loads of bytes internal error: duplicate loads of bufio internal error: duplicate loads of math internal error: duplicate loads of strconv internal error: duplicate loads of reflect internal error: duplicate loads of encoding/binary internal error: duplicate loads of syscall internal error: duplicate loads of time internal error: duplicate loads of os internal error: duplicate loads of fmt internal error: duplicate loads of sort internal error: duplicate loads of strings internal error: duplicate loads of path/filepath internal error: duplicate loads of compress/flate internal error: duplicate loads of hash internal error: duplicate loads of path internal error: duplicate loads of io/ioutil internal error: duplicate loads of flag internal error: duplicate loads of log internal error: duplicate loads of cmd/internal/obj internal error: duplicate loads of cmd/internal/obj/arm internal error: duplicate loads of cmd/internal/obj/arm64 internal error: duplicate loads of cmd/internal/obj/mips internal error: duplicate loads of cmd/internal/obj/ppc64 internal error: duplicate loads of cmd/internal/obj/x86 internal error: duplicate loads of cmd/asm/internal/arch internal error: duplicate loads of cmd/asm/internal/flags internal error: duplicate loads of text/scanner internal error: duplicate loads of cmd/asm/internal/lex internal error: duplicate loads of cmd/asm/internal/asm internal error: duplicate loads of math/rand internal error: duplicate loads of cmd/compile/internal/big internal error: duplicate loads of cmd/internal/gcprog internal error: duplicate loads of crypto internal error: duplicate loads of crypto/md5 internal error: duplicate loads of text/tabwriter internal error: duplicate loads of runtime/pprof internal error: duplicate loads of cmd/compile/internal/gc internal error: duplicate loads of cmd/compile/internal/amd64 internal error: duplicate loads of cmd/compile/internal/arm internal error: duplicate loads of cmd/compile/internal/arm64 internal error: duplicate loads of cmd/compile/internal/mips64 internal error: duplicate loads of cmd/compile/internal/ppc64 internal error: duplicate loads of cmd/compile/internal/x86 internal error: duplicate loads of hash/crc32 internal error: duplicate loads of cmd/internal/goobj internal error: duplicate loads of cmd/internal/unvendor/golang.org/x/arch/arm/armasm internal error: duplicate loads of cmd/internal/unvendor/golang.org/x/arch/x86/x86asm internal error: duplicate loads of hash/adler32 internal error: duplicate loads of compress/zlib internal error: duplicate loads of debug/dwarf internal error: duplicate loads of debug/elf internal error: duplicate loads of debug/gosym internal error: duplicate loads of debug/macho internal error: duplicate loads of debug/pe internal error: duplicate loads of debug/plan9obj internal error: duplicate loads of regexp/syntax internal error: duplicate loads of regexp internal error: duplicate loads of cmd/internal/objfile internal error: duplicate loads of crypto/sha1 internal error: duplicate loads of os/exec internal error: duplicate loads of cmd/link/internal/ld internal error: duplicate loads of cmd/link/internal/amd64 internal error: duplicate loads of cmd/link/internal/arm internal error: duplicate loads of cmd/link/internal/arm64 internal error: duplicate loads of cmd/link/internal/mips64 internal error: duplicate loads of cmd/link/internal/ppc64 internal error: duplicate loads of cmd/link/internal/x86 internal error: duplicate loads of compress/gzip internal error: duplicate loads of cmd/pprof/internal/profile internal error: duplicate loads of cmd/pprof/internal/plugin internal error: duplicate loads of encoding internal error: duplicate loads of encoding/base64 internal error: duplicate loads of unicode/utf16 internal error: duplicate loads of encoding/json internal error: duplicate loads of html internal error: duplicate loads of net/url internal error: duplicate loads of text/template/parse internal error: duplicate loads of text/template internal error: duplicate loads of html/template internal error: duplicate loads of cmd/pprof/internal/report internal error: duplicate loads of cmd/pprof/internal/svg internal error: duplicate loads of cmd/pprof/internal/tempfile internal error: duplicate loads of cmd/pprof/internal/commands internal error: duplicate loads of cmd/pprof/internal/driver internal error: duplicate loads of container/list internal error: duplicate loads of crypto/subtle internal error: duplicate loads of crypto/cipher internal error: duplicate loads of crypto/aes internal error: duplicate loads of crypto/des internal error: duplicate loads of math/big internal error: duplicate loads of crypto/elliptic internal error: duplicate loads of crypto/sha512 internal error: duplicate loads of encoding/asn1 internal error: duplicate loads of crypto/ecdsa internal error: duplicate loads of crypto/hmac internal error: duplicate loads of internal/syscall/unix internal error: duplicate loads of crypto/rand internal error: duplicate loads of crypto/rc4 internal error: duplicate loads of crypto/rsa internal error: duplicate loads of crypto/sha256 internal error: duplicate loads of crypto/dsa internal error: duplicate loads of crypto/x509/pkix internal error: duplicate loads of encoding/hex internal error: duplicate loads of encoding/pem internal error: duplicate loads of internal/singleflight internal error: duplicate loads of runtime/cgo internal error: duplicate loads of net internal error: duplicate loads of crypto/x509 internal error: duplicate loads of crypto/tls internal error: duplicate loads of internal/golang.org/x/net/http2/hpack internal error: duplicate loads of mime internal error: duplicate loads of mime/quotedprintable internal error: duplicate loads of net/textproto internal error: duplicate loads of mime/multipart internal error: duplicate loads of net/http/internal internal error: duplicate loads of net/http internal error: duplicate loads of cmd/pprof/internal/fetch internal error: duplicate loads of cmd/pprof/internal/symbolizer internal error: duplicate loads of cmd/pprof/internal/symbolz internal error: duplicate loads of cmd/vet/internal/whitelist internal error: duplicate loads of container/heap internal error: duplicate loads of encoding/xml internal error: duplicate loads of go/token internal error: duplicate loads of go/scanner internal error: duplicate loads of go/ast internal error: duplicate loads of go/doc internal error: duplicate loads of go/parser internal error: duplicate loads of go/build internal error: duplicate loads of go/constant internal error: duplicate loads of go/printer internal error: duplicate loads of go/format internal error: duplicate loads of go/types internal error: duplicate loads of go/internal/gccgoimporter internal error: duplicate loads of go/internal/gcimporter internal error: duplicate loads of go/importer internal error: duplicate loads of internal/trace internal error: duplicate loads of os/signal"><pre class="notranslate"><code class="notranslate">internal error: duplicate loads of runtime/internal/sys internal error: duplicate loads of unsafe internal error: duplicate loads of runtime/internal/atomic internal error: duplicate loads of runtime internal error: duplicate loads of errors internal error: duplicate loads of internal/race internal error: duplicate loads of sync/atomic internal error: duplicate loads of sync internal error: duplicate loads of io internal error: duplicate loads of unicode internal error: duplicate loads of unicode/utf8 internal error: duplicate loads of bytes internal error: duplicate loads of bufio internal error: duplicate loads of math internal error: duplicate loads of strconv internal error: duplicate loads of reflect internal error: duplicate loads of encoding/binary internal error: duplicate loads of syscall internal error: duplicate loads of time internal error: duplicate loads of os internal error: duplicate loads of fmt internal error: duplicate loads of sort internal error: duplicate loads of strings internal error: duplicate loads of path/filepath internal error: duplicate loads of compress/flate internal error: duplicate loads of hash internal error: duplicate loads of path internal error: duplicate loads of io/ioutil internal error: duplicate loads of flag internal error: duplicate loads of log internal error: duplicate loads of cmd/internal/obj internal error: duplicate loads of cmd/internal/obj/arm internal error: duplicate loads of cmd/internal/obj/arm64 internal error: duplicate loads of cmd/internal/obj/mips internal error: duplicate loads of cmd/internal/obj/ppc64 internal error: duplicate loads of cmd/internal/obj/x86 internal error: duplicate loads of cmd/asm/internal/arch internal error: duplicate loads of cmd/asm/internal/flags internal error: duplicate loads of text/scanner internal error: duplicate loads of cmd/asm/internal/lex internal error: duplicate loads of cmd/asm/internal/asm internal error: duplicate loads of math/rand internal error: duplicate loads of cmd/compile/internal/big internal error: duplicate loads of cmd/internal/gcprog internal error: duplicate loads of crypto internal error: duplicate loads of crypto/md5 internal error: duplicate loads of text/tabwriter internal error: duplicate loads of runtime/pprof internal error: duplicate loads of cmd/compile/internal/gc internal error: duplicate loads of cmd/compile/internal/amd64 internal error: duplicate loads of cmd/compile/internal/arm internal error: duplicate loads of cmd/compile/internal/arm64 internal error: duplicate loads of cmd/compile/internal/mips64 internal error: duplicate loads of cmd/compile/internal/ppc64 internal error: duplicate loads of cmd/compile/internal/x86 internal error: duplicate loads of hash/crc32 internal error: duplicate loads of cmd/internal/goobj internal error: duplicate loads of cmd/internal/unvendor/golang.org/x/arch/arm/armasm internal error: duplicate loads of cmd/internal/unvendor/golang.org/x/arch/x86/x86asm internal error: duplicate loads of hash/adler32 internal error: duplicate loads of compress/zlib internal error: duplicate loads of debug/dwarf internal error: duplicate loads of debug/elf internal error: duplicate loads of debug/gosym internal error: duplicate loads of debug/macho internal error: duplicate loads of debug/pe internal error: duplicate loads of debug/plan9obj internal error: duplicate loads of regexp/syntax internal error: duplicate loads of regexp internal error: duplicate loads of cmd/internal/objfile internal error: duplicate loads of crypto/sha1 internal error: duplicate loads of os/exec internal error: duplicate loads of cmd/link/internal/ld internal error: duplicate loads of cmd/link/internal/amd64 internal error: duplicate loads of cmd/link/internal/arm internal error: duplicate loads of cmd/link/internal/arm64 internal error: duplicate loads of cmd/link/internal/mips64 internal error: duplicate loads of cmd/link/internal/ppc64 internal error: duplicate loads of cmd/link/internal/x86 internal error: duplicate loads of compress/gzip internal error: duplicate loads of cmd/pprof/internal/profile internal error: duplicate loads of cmd/pprof/internal/plugin internal error: duplicate loads of encoding internal error: duplicate loads of encoding/base64 internal error: duplicate loads of unicode/utf16 internal error: duplicate loads of encoding/json internal error: duplicate loads of html internal error: duplicate loads of net/url internal error: duplicate loads of text/template/parse internal error: duplicate loads of text/template internal error: duplicate loads of html/template internal error: duplicate loads of cmd/pprof/internal/report internal error: duplicate loads of cmd/pprof/internal/svg internal error: duplicate loads of cmd/pprof/internal/tempfile internal error: duplicate loads of cmd/pprof/internal/commands internal error: duplicate loads of cmd/pprof/internal/driver internal error: duplicate loads of container/list internal error: duplicate loads of crypto/subtle internal error: duplicate loads of crypto/cipher internal error: duplicate loads of crypto/aes internal error: duplicate loads of crypto/des internal error: duplicate loads of math/big internal error: duplicate loads of crypto/elliptic internal error: duplicate loads of crypto/sha512 internal error: duplicate loads of encoding/asn1 internal error: duplicate loads of crypto/ecdsa internal error: duplicate loads of crypto/hmac internal error: duplicate loads of internal/syscall/unix internal error: duplicate loads of crypto/rand internal error: duplicate loads of crypto/rc4 internal error: duplicate loads of crypto/rsa internal error: duplicate loads of crypto/sha256 internal error: duplicate loads of crypto/dsa internal error: duplicate loads of crypto/x509/pkix internal error: duplicate loads of encoding/hex internal error: duplicate loads of encoding/pem internal error: duplicate loads of internal/singleflight internal error: duplicate loads of runtime/cgo internal error: duplicate loads of net internal error: duplicate loads of crypto/x509 internal error: duplicate loads of crypto/tls internal error: duplicate loads of internal/golang.org/x/net/http2/hpack internal error: duplicate loads of mime internal error: duplicate loads of mime/quotedprintable internal error: duplicate loads of net/textproto internal error: duplicate loads of mime/multipart internal error: duplicate loads of net/http/internal internal error: duplicate loads of net/http internal error: duplicate loads of cmd/pprof/internal/fetch internal error: duplicate loads of cmd/pprof/internal/symbolizer internal error: duplicate loads of cmd/pprof/internal/symbolz internal error: duplicate loads of cmd/vet/internal/whitelist internal error: duplicate loads of container/heap internal error: duplicate loads of encoding/xml internal error: duplicate loads of go/token internal error: duplicate loads of go/scanner internal error: duplicate loads of go/ast internal error: duplicate loads of go/doc internal error: duplicate loads of go/parser internal error: duplicate loads of go/build internal error: duplicate loads of go/constant internal error: duplicate loads of go/printer internal error: duplicate loads of go/format internal error: duplicate loads of go/types internal error: duplicate loads of go/internal/gccgoimporter internal error: duplicate loads of go/internal/gcimporter internal error: duplicate loads of go/importer internal error: duplicate loads of internal/trace internal error: duplicate loads of os/signal </code></pre></div>
0
<p dir="auto">Example: <a href="http://plnkr.co/edit/MVGtfe8LL8RyPoI6PaOc?p=preview" rel="nofollow">http://plnkr.co/edit/MVGtfe8LL8RyPoI6PaOc?p=preview</a></p> <p dir="auto">If any element has a binding on the <code class="notranslate">class</code> property, it will blindly overwrite the existing element classes. <code class="notranslate">ngClass</code> will intelligently add and remove its given class (or classes).</p> <p dir="auto">Should Angular keep this behavior for basic <code class="notranslate">class</code> bindings, or should the default behavior match <code class="notranslate">ngClass</code>?</p> <p dir="auto">(<a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/mhevery/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/mhevery">@mhevery</a> asked me to open this issue for discussion)</p>
<p dir="auto">The angular 2 router currently does not allow more than one level of nesting.</p> <p dir="auto">If you have a structure like:</p> <p dir="auto">/users/profile/detail</p> <p dir="auto">you cannot link to /users/profile since the router config doesnt allow creating/linking to non-terminal routes.Thus more than 1 level of nesting is not possible.</p> <p dir="auto">This is a huge flaw and makes angular 2 unsuitable for anything more than a toy application.</p>
0
<p dir="auto">This works with pandas 0.12:</p> <div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="from ggplot import meat meat.get(None) [returns None]"><pre class="notranslate"><span class="pl-k">from</span> <span class="pl-s1">ggplot</span> <span class="pl-k">import</span> <span class="pl-s1">meat</span> <span class="pl-s1">meat</span>.<span class="pl-en">get</span>(<span class="pl-c1">None</span>) [<span class="pl-s1">returns</span> <span class="pl-v">None</span>]</pre></div> <p dir="auto">But throws an error in 0.13 (RC):</p> <div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="--------------------------------------------------------------------------- ValueError Traceback (most recent call last) &lt;ipython-input-11-86be6a7317b8&gt; in &lt;module&gt;() ----&gt; 1 meat.get(None) C:\portabel\Python27\lib\site-packages\pandas\core\generic.pyc in get(self, key, default) 961 &quot;&quot;&quot; 962 try: --&gt; 963 return self[key] 964 except KeyError: 965 return default C:\portabel\Python27\lib\site-packages\pandas\core\frame.pyc in __getitem__(self, key) 1626 return self._getitem_multilevel(key) 1627 else: -&gt; 1628 return self._getitem_column(key) 1629 1630 def _getitem_column(self, key): C:\portabel\Python27\lib\site-packages\pandas\core\frame.pyc in _getitem_column(self, key) 1633 # get column 1634 if self.columns.is_unique: -&gt; 1635 return self._get_item_cache(key) 1636 1637 # duplicate columns &amp; possible reduce dimensionaility C:\portabel\Python27\lib\site-packages\pandas\core\generic.pyc in _get_item_cache(self, item) 972 res = cache.get(item) 973 if res is None: --&gt; 974 values = self._data.get(item) 975 res = self._box_item_values(item, values) 976 cache[item] = res C:\portabel\Python27\lib\site-packages\pandas\core\internals.pyc in get(self, item) 2737 if isnull(item): 2738 indexer = np.arange(len(self.items))[isnull(self.items)] -&gt; 2739 return self.get_for_nan_indexer(indexer) 2740 2741 _, block = self._find_block(item) C:\portabel\Python27\lib\site-packages\pandas\core\internals.pyc in get_for_nan_indexer(self, indexer) 2789 indexer = indexer.item() 2790 else: -&gt; 2791 raise ValueError(&quot;cannot label index with a null key&quot;) 2792 2793 # take a nan indexer and return the values ValueError: cannot label index with a null key"><pre class="notranslate"><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span> <span class="pl-v">ValueError</span> <span class="pl-v">Traceback</span> (<span class="pl-s1">most</span> <span class="pl-s1">recent</span> <span class="pl-s1">call</span> <span class="pl-s1">last</span>) <span class="pl-c1">&lt;</span><span class="pl-s1">ipython</span><span class="pl-c1">-</span><span class="pl-s1">input</span><span class="pl-c1">-</span><span class="pl-c1">11</span><span class="pl-c1">-</span><span class="pl-c1">86</span><span class="pl-s1">be6a7317b8</span><span class="pl-c1">&gt;</span> <span class="pl-s1">in</span> <span class="pl-c1">&lt;</span><span class="pl-s1">module</span><span class="pl-c1">&gt;</span>() <span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">&gt;</span> <span class="pl-c1">1</span> <span class="pl-s1">meat</span>.<span class="pl-en">get</span>(<span class="pl-c1">None</span>) <span class="pl-v">C</span>:\p<span class="pl-s1">ortabel</span>\P<span class="pl-s1">ython27</span>\l<span class="pl-s1">ib</span>\s<span class="pl-s1">ite</span><span class="pl-c1">-</span><span class="pl-s1">packages</span>\p<span class="pl-s1">andas</span>\c<span class="pl-s1">ore</span>\g<span class="pl-s1">eneric</span>.<span class="pl-s1">pyc</span> <span class="pl-c1">in</span> <span class="pl-en">get</span>(<span class="pl-s1">self</span>, <span class="pl-s1">key</span>, <span class="pl-s1">default</span>) <span class="pl-c1">961</span> """ 962 try: --&gt; 963 return self[key] 964 except KeyError: 965 return default C:\portabel\Python27\lib\site-packages\pandas\core<span class="pl-cce">\f</span>rame.pyc in __getitem__(self, key) 1626 return self._getitem_multilevel(key) 1627 else: -&gt; 1628 return self._getitem_column(key) 1629 1630 def _getitem_column(self, key): C:\portabel\Python27\lib\site-packages\pandas\core<span class="pl-cce">\f</span>rame.pyc in _getitem_column(self, key) 1633 # get column 1634 if self.columns.is_unique: -&gt; 1635 return self._get_item_cache(key) 1636 1637 # duplicate columns &amp; possible reduce dimensionaility C:\portabel\Python27\lib\site-packages\pandas\core\generic.pyc in _get_item_cache(self, item) 972 res = cache.get(item) 973 if res is None: --&gt; 974 values = self._data.get(item) 975 res = self._box_item_values(item, values) 976 cache[item] = res C:\portabel\Python27\lib\site-packages\pandas\core\internals.pyc in get(self, item) 2737 if isnull(item): 2738 indexer = np.arange(len(self.items))[isnull(self.items)] -&gt; 2739 return self.get_for_nan_indexer(indexer) 2740 2741 _, block = self._find_block(item) C:\portabel\Python27\lib\site-packages\pandas\core\internals.pyc in get_for_nan_indexer(self, indexer) 2789 indexer = indexer.item() 2790 else: -&gt; 2791 raise ValueError("cannot label index with a null key") <span class="pl-c1">2792</span> <span class="pl-c1">2793</span> <span class="pl-c"># take a nan indexer and return the values</span> <span class="pl-v">ValueError</span>: <span class="pl-s1">cannot</span> <span class="pl-s1">label</span> <span class="pl-s1">index</span> <span class="pl-k">with</span> <span class="pl-s1">a</span> <span class="pl-s1">null</span> <span class="pl-s1">key</span></pre></div> <p dir="auto">Not sure if that is intentional as this broke some code in the facet_wrap in ggplot (which now will get some update against this :-) )</p>
<h4 dir="auto">Code Sample, a copy-pastable example if possible</h4> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="&gt;&gt;&gt; items item name store1 dress V store2 food A store2 water C"><pre class="notranslate"><code class="notranslate">&gt;&gt;&gt; items item name store1 dress V store2 food A store2 water C </code></pre></div> <p dir="auto">CASE 1 : axis set to column and given a value which is not available in the structure. Gives ValueError.</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="&gt;&gt;&gt; items.drop('abcd',axis=1) Traceback (most recent call last): File &quot;&lt;stdin&gt;&quot;, line 1, in &lt;module&gt; File &quot;/usr/local/lib/python3.6/site-packages/pandas/core/generic.py&quot;, line 2530, in drop obj = obj._drop_axis(labels, axis, level=level, errors=errors) File &quot;/usr/local/lib/python3.6/site-packages/pandas/core/generic.py&quot;, line 2562, in _drop_axis new_axis = axis.drop(labels, errors=errors) File &quot;/usr/local/lib/python3.6/site-packages/pandas/core/indexes/base.py&quot;, line 3744, in drop labels[mask]) ValueError: labels ['abcd'] not contained in axis"><pre class="notranslate"><code class="notranslate">&gt;&gt;&gt; items.drop('abcd',axis=1) Traceback (most recent call last): File "&lt;stdin&gt;", line 1, in &lt;module&gt; File "/usr/local/lib/python3.6/site-packages/pandas/core/generic.py", line 2530, in drop obj = obj._drop_axis(labels, axis, level=level, errors=errors) File "/usr/local/lib/python3.6/site-packages/pandas/core/generic.py", line 2562, in _drop_axis new_axis = axis.drop(labels, errors=errors) File "/usr/local/lib/python3.6/site-packages/pandas/core/indexes/base.py", line 3744, in drop labels[mask]) ValueError: labels ['abcd'] not contained in axis </code></pre></div> <p dir="auto">CASE 2 : axis set to row, and given a value which is not available in structure should behave in the same way as the above case does.<br> Instead it just prints the structure table. Shouldn’t it be throwing ValueError ?</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="&gt;&gt;&gt; items.drop('abcd',axis=0) item name store1 dress V store2 food A store2 water C &gt;&gt;&gt; "><pre class="notranslate"><code class="notranslate">&gt;&gt;&gt; items.drop('abcd',axis=0) item name store1 dress V store2 food A store2 water C &gt;&gt;&gt; </code></pre></div> <h4 dir="auto">Problem description</h4> <p dir="auto">When provided invalid column name(axis=1) it throws "ValueError". Same happens with row as well(axis=0). But when there are duplicate indices in the DataFrame it doesn't.</p> <h4 dir="auto">Expected Output</h4> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="&gt;&gt;&gt; items.drop('d',axis=0) Traceback (most recent call last): File &quot;&lt;stdin&gt;&quot;, line 1, in &lt;module&gt; File &quot;/usr/local/lib/python3.6/site-packages/pandas/core/generic.py&quot;, line 2530, in drop obj = obj._drop_axis(labels, axis, level=level, errors=errors) File &quot;/usr/local/lib/python3.6/site-packages/pandas/core/generic.py&quot;, line 2562, in _drop_axis new_axis = axis.drop(labels, errors=errors) File &quot;/usr/local/lib/python3.6/site-packages/pandas/core/indexes/base.py&quot;, line 3744, in drop labels[mask]) ValueError: labels ['d'] not contained in axis"><pre class="notranslate"><code class="notranslate">&gt;&gt;&gt; items.drop('d',axis=0) Traceback (most recent call last): File "&lt;stdin&gt;", line 1, in &lt;module&gt; File "/usr/local/lib/python3.6/site-packages/pandas/core/generic.py", line 2530, in drop obj = obj._drop_axis(labels, axis, level=level, errors=errors) File "/usr/local/lib/python3.6/site-packages/pandas/core/generic.py", line 2562, in _drop_axis new_axis = axis.drop(labels, errors=errors) File "/usr/local/lib/python3.6/site-packages/pandas/core/indexes/base.py", line 3744, in drop labels[mask]) ValueError: labels ['d'] not contained in axis </code></pre></div> <h4 dir="auto">Output of <code class="notranslate">pd.show_versions()</code></h4> <details> INSTALLED VERSIONS ------------------ commit: None python: 3.6.4.final.0 python-bits: 64 OS: Darwin OS-release: 17.3.0 machine: x86_64 processor: i386 byteorder: little LC_ALL: None LANG: en_AU.UTF-8 LOCALE: en_AU.UTF-8 <p dir="auto">pandas: 0.22.0<br> pytest: None<br> pip: 9.0.1<br> setuptools: 36.5.0<br> Cython: 0.27.3<br> numpy: 1.13.3<br> scipy: None<br> pyarrow: None<br> xarray: None<br> IPython: None<br> sphinx: None<br> patsy: None<br> dateutil: 2.6.1<br> pytz: 2017.3<br> blosc: None<br> bottleneck: None<br> tables: None<br> numexpr: None<br> feather: None<br> matplotlib: None<br> openpyxl: None<br> xlrd: None<br> xlwt: None<br> xlsxwriter: None<br> lxml: None<br> bs4: None<br> html5lib: None<br> sqlalchemy: None<br> pymysql: None<br> psycopg2: None<br> jinja2: None<br> s3fs: None<br> fastparquet: None<br> pandas_gbq: None<br> pandas_datareader: None</p> </details>
0
<p dir="auto">Compilation of:</p> <div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="mod privmod { pub struct HiddenType; impl HiddenType { pub fn hidden_method(&amp;self) { } } } pub mod pubmod { use privmod; pub fn expose() -&gt; privmod::HiddenType { privmod::HiddenType } } pub use pubmod::expose;"><pre class="notranslate"><span class="pl-k">mod</span> privmod <span class="pl-kos">{</span> <span class="pl-k">pub</span> <span class="pl-k">struct</span> <span class="pl-smi">HiddenType</span><span class="pl-kos">;</span> <span class="pl-k">impl</span> <span class="pl-smi">HiddenType</span> <span class="pl-kos">{</span> <span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">hidden_method</span><span class="pl-kos">(</span><span class="pl-c1">&amp;</span><span class="pl-smi">self</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">pub</span> <span class="pl-k">mod</span> pubmod <span class="pl-kos">{</span> <span class="pl-k">use</span> privmod<span class="pl-kos">;</span> <span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">expose</span><span class="pl-kos">(</span><span class="pl-kos">)</span> -&gt; privmod<span class="pl-kos">::</span><span class="pl-smi">HiddenType</span> <span class="pl-kos">{</span> privmod<span class="pl-kos">::</span><span class="pl-v">HiddenType</span> <span class="pl-kos">}</span> <span class="pl-kos">}</span> <span class="pl-k">pub</span> <span class="pl-k">use</span> pubmod<span class="pl-kos">::</span>expose<span class="pl-kos">;</span></pre></div> <p dir="auto">produces the warning:</p> <blockquote> <p dir="auto">warning: method is never used: <code class="notranslate">hidden_method</code>, #[warn(dead_code)] on by default</p> </blockquote> <p dir="auto">I think it's not correct, because <code class="notranslate">hidden_method</code> can be called from outside the crate by getting an instance of the type via <code class="notranslate">pubmod::expose</code>.</p> <p dir="auto">I'd expect Rust to either stop with an error that a private type (private due to being in a private module) is exposed, or figure out that the method is exposed indirectly and assume it's used.</p> <p dir="auto">This problem creates another when linking across crates. To reproduce the problem: take the example code above and put it in <code class="notranslate">src/lib.rs</code> of a crate called "library", and then create a crate "tool" with it as a dependency:</p> <p dir="auto"><code class="notranslate">tool/Cargo.toml</code> +=</p> <div class="highlight highlight-source-toml notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="[dependencies.library] path = &quot;../library&quot;"><pre class="notranslate">[<span class="pl-en">dependencies</span>.<span class="pl-en">library</span>] <span class="pl-smi">path</span> = <span class="pl-s"><span class="pl-pds">"</span>../library<span class="pl-pds">"</span></span></pre></div> <p dir="auto">and <code class="notranslate">src/bin/tool.rs</code> as follows:</p> <div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="extern crate library; fn main() { library::expose().hidden_method(); }"><pre class="notranslate"><span class="pl-k">extern</span> <span class="pl-k">crate</span> library<span class="pl-kos">;</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> library<span class="pl-kos">::</span><span class="pl-en">expose</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">hidden_method</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">cargo run --bin tool</code> will compile, but won't link:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Undefined symbols for architecture x86_64: &quot;privmod::HiddenType::hidden_method::h4e1e7549e65f404ckaa&quot;, referenced from: main::hb631601ec0f76d56faa in tool.0.o"><pre class="notranslate"><code class="notranslate">Undefined symbols for architecture x86_64: "privmod::HiddenType::hidden_method::h4e1e7549e65f404ckaa", referenced from: main::hb631601ec0f76d56faa in tool.0.o </code></pre></div> <p dir="auto">I'd prefer this to either work, or fail at compilation stage, because linker errors are scary.</p> <hr> <p dir="auto">rustc 1.4.0-nightly (<a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/rust-lang/rust/commit/8f1b0aa32552f2e694aa8702ff2cd6d9a0e894f1/hovercard" href="https://github.com/rust-lang/rust/commit/8f1b0aa32552f2e694aa8702ff2cd6d9a0e894f1"><tt>8f1b0aa</tt></a> 2015-08-21); OS X 11.11</p>
<div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="// foo.rs pub use foo::Bar; pub fn test() -&gt; Bar&lt;i32&gt; { loop {} } mod foo { pub type Bar&lt;T&gt; = Result&lt;T, Baz&gt;; pub struct Baz; impl Baz { pub fn foo(&amp;self) {} } }"><pre class="notranslate"><span class="pl-c">// foo.rs</span> <span class="pl-k">pub</span> <span class="pl-k">use</span> foo<span class="pl-kos">::</span><span class="pl-v">Bar</span><span class="pl-kos">;</span> <span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">test</span><span class="pl-kos">(</span><span class="pl-kos">)</span> -&gt; <span class="pl-smi">Bar</span><span class="pl-kos">&lt;</span><span class="pl-smi">i32</span><span class="pl-kos">&gt;</span> <span class="pl-kos">{</span> <span class="pl-k">loop</span> <span class="pl-kos">{</span><span class="pl-kos">}</span> <span class="pl-kos">}</span> <span class="pl-k">mod</span> foo <span class="pl-kos">{</span> <span class="pl-k">pub</span> <span class="pl-k">type</span> <span class="pl-smi">Bar</span><span class="pl-kos">&lt;</span><span class="pl-smi">T</span><span class="pl-kos">&gt;</span> = <span class="pl-smi">Result</span><span class="pl-kos">&lt;</span><span class="pl-smi">T</span><span class="pl-kos">,</span> <span class="pl-smi">Baz</span><span class="pl-kos">&gt;</span><span class="pl-kos">;</span> <span class="pl-k">pub</span> <span class="pl-k">struct</span> <span class="pl-smi">Baz</span><span class="pl-kos">;</span> <span class="pl-k">impl</span> <span class="pl-smi">Baz</span> <span class="pl-kos">{</span> <span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">foo</span><span class="pl-kos">(</span><span class="pl-c1">&amp;</span><span class="pl-smi">self</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> <div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="// bar.rs extern crate foo; fn main() { match foo::test() { Ok(..) =&gt; {} Err(e) =&gt; e.foo() } }"><pre class="notranslate"><span class="pl-c">// bar.rs</span> <span class="pl-k">extern</span> <span class="pl-k">crate</span> foo<span class="pl-kos">;</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-k">match</span> foo<span class="pl-kos">::</span><span class="pl-en">test</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-v">Ok</span><span class="pl-kos">(</span>..<span class="pl-kos">)</span> =&gt; <span class="pl-kos">{</span><span class="pl-kos">}</span> <span class="pl-v">Err</span><span class="pl-kos">(</span>e<span class="pl-kos">)</span> =&gt; e<span class="pl-kos">.</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></pre></div> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ rustc --crate-type lib foo.rs foo.rs:13:9: 13:29 warning: code is never used: `foo`, #[warn(dead_code)] on by default foo.rs:13 pub fn foo(&amp;self) {} ^~~~~~~~~~~~~~~~~~~~ $ rustc bar.rs -L. error: linking with `cc` failed: exit code: 1 note: cc '-m64' '-L' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib' '-o' 'bar' 'bar.o' '-Wl,--whole-archive' '-lmorestack' '-Wl,--no-whole-archive' '-nodefaultlibs' '-Wl,--gc-sections' '-pie' '-Wl,--as-needed' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/libnative-4e7c5e5c.rlib' '/home/alex/libfoo.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/libstd-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/librand-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/libsync-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/librustrt-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/libcollections-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/liballoc-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/libunicode-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/liblibc-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/libcore-4e7c5e5c.rlib' '-L' '.' '-L' '/home/alex/.rust' '-L' '/home/alex' '-Wl,--whole-archive' '-Wl,-Bstatic' '-Wl,--no-whole-archive' '-Wl,-Bdynamic' '-ldl' '-lpthread' '-lgcc_s' '-lpthread' '-lc' '-lm' '-lcompiler-rt' note: bar.o: In function `main::hbeb79415393a4115faa': bar.rs:(.text._ZN4main20hbeb79415393a4115faaE+0x45): undefined reference to `foo::Baz::foo::h3d69757c908833a5Yaa' collect2: error: ld returned 1 exit status error: aborting due to previous error "><pre class="notranslate"><code class="notranslate">$ rustc --crate-type lib foo.rs foo.rs:13:9: 13:29 warning: code is never used: `foo`, #[warn(dead_code)] on by default foo.rs:13 pub fn foo(&amp;self) {} ^~~~~~~~~~~~~~~~~~~~ $ rustc bar.rs -L. error: linking with `cc` failed: exit code: 1 note: cc '-m64' '-L' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib' '-o' 'bar' 'bar.o' '-Wl,--whole-archive' '-lmorestack' '-Wl,--no-whole-archive' '-nodefaultlibs' '-Wl,--gc-sections' '-pie' '-Wl,--as-needed' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/libnative-4e7c5e5c.rlib' '/home/alex/libfoo.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/libstd-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/librand-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/libsync-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/librustrt-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/libcollections-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/liballoc-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/libunicode-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/liblibc-4e7c5e5c.rlib' '/home/alex/code/rust/lib/rustlib/x86_64-unknown-linux-gnu/lib/libcore-4e7c5e5c.rlib' '-L' '.' '-L' '/home/alex/.rust' '-L' '/home/alex' '-Wl,--whole-archive' '-Wl,-Bstatic' '-Wl,--no-whole-archive' '-Wl,-Bdynamic' '-ldl' '-lpthread' '-lgcc_s' '-lpthread' '-lc' '-lm' '-lcompiler-rt' note: bar.o: In function `main::hbeb79415393a4115faa': bar.rs:(.text._ZN4main20hbeb79415393a4115faaE+0x45): undefined reference to `foo::Baz::foo::h3d69757c908833a5Yaa' collect2: error: ld returned 1 exit status error: aborting due to previous error </code></pre></div> <p dir="auto">There are a number of problems with this, and they may likely all be inter-related.</p> <ul class="contains-task-list"> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> linker error</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> dead code which is not actually dead code</li> <li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> it should be an error that <code class="notranslate">Baz</code> is a publicly visible private type.</li> </ul> <p dir="auto">Nominating due to the publicly visible private type not generating an error.</p>
1
<p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=kuzmich" rel="nofollow">Pavel Kuzin</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-6359?redirect=false" rel="nofollow">SPR-6359</a></strong> and commented</p> <p dir="auto">Error while deploing application.<br> With RC1 - it was OK.</p> <p dir="auto">SEVERE: Application context refresh failed (OsgiBundleXmlApplicationContext(bundle=ndx.billing.DatabaseFunctions, config=osgibundle:/META-INF/spring/*.xml))<br> java.lang.NullPointerException<br> at org.springframework.context.support.AbstractApplicationContext.finishRefresh(AbstractApplicationContext.java:861)<br> at org.springframework.osgi.context.support.AbstractOsgiBundleApplicationContext.finishRefresh(AbstractOsgiBundleApplicationContext.java:235)<br> at org.springframework.osgi.context.support.AbstractDelegatedExecutionApplicationContext$4.run(AbstractDelegatedExecutionApplicationContext.java:358)<br> at org.springframework.osgi.util.internal.PrivilegedUtils.executeWithCustomTCCL(PrivilegedUtils.java:85)<br> at org.springframework.osgi.context.support.AbstractDelegatedExecutionApplicationContext.completeRefresh(AbstractDelegatedExecutionApplicationContext.java:320)<br> at org.springframework.osgi.extender.internal.dependencies.startup.DependencyWaiterApplicationContextExecutor$CompleteRefreshTask.run(DependencyWaiterApplicationContextExecutor.java:136)<br> at java.lang.Thread.run(Thread.java:619)<br> Nov 16, 2009 12:27:05 PM<br> SEVERE: Exception in thread "SpringOsgiExtenderThread-14"<br> Nov 16, 2009 12:27:05 PM<br> SEVERE: java.lang.NullPointerException<br> at org.springframework.context.support.AbstractApplicationContext.finishRefresh(AbstractApplicationContext.java:861)<br> at org.springframework.osgi.context.support.AbstractOsgiBundleApplicationContext.finishRefresh(AbstractOsgiBundleApplicationContext.java:235)<br> at org.springframework.osgi.context.support.AbstractDelegatedExecutionApplicationContext$4.run(AbstractDelegatedExecutionApplicationContext.java:358)<br> at org.springframework.osgi.util.internal.PrivilegedUtils.executeWithCustomTCCL(PrivilegedUtils.java:85)<br> at org.springframework.osgi.context.support.AbstractDelegatedExecutionApplicationContext.completeRefresh(AbstractDelegatedExecutionApplicationContext.java:320)<br> at org.springframework.osgi.extender.internal.dependencies.startup.DependencyWaiterApplicationContextExecutor$CompleteRefreshTask.run(DependencyWaiterApplicationContextExecutor.java:136)<br> at java.lang.Thread.run(Thread.java:619)</p> <hr> <p dir="auto"><strong>Affects:</strong> 3.0 RC2</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="398099188" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/11022" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/11022/hovercard" href="https://github.com/spring-projects/spring-framework/issues/11022">#11022</a> NPE in AbstractApplicationContext finishRefresh when initialized via Spring DM (<em><strong>"duplicates"</strong></em>)</li> </ul>
<p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=chelya" rel="nofollow">Andrey Akselrod</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-2018?redirect=false" rel="nofollow">SPR-2018</a></strong> and commented</p> <p dir="auto">MailSender uses conrete class SimpleMailMessage. Instead it should use an interface with the getter methods it needs - the opposite of MailMessage interface which contains setters.<br> SimpleMailMessage would implement MailMessage and this other new interface.</p> <p dir="auto">It will allow to specify an alternative way for setting email values. For example I can implement my own SimpleVelocityMailMessage class that will only implement that new interface. I can have setTemplate(tpl, model) in my class without having to have setText(text). I don't have to implement MailMessage interface or extend SimpleMailMessage class.</p> <hr> <p dir="auto"><strong>Affects:</strong> 2.0 M4</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="398061223" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/6139" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/6139/hovercard" href="https://github.com/spring-projects/spring-framework/issues/6139">#6139</a> MailSender.send() method takes SimpleMailMessage parameter, which causes trouble when abstracting (<em><strong>"duplicates"</strong></em>)</li> </ul>
0
<p dir="auto">Using Postgresql dialect uses psycopg2 <code class="notranslate">postgresql+psycopg2://scott:tiger@localhost/mydatabase</code> , I was able to connect to redshift, however, I was not able to fetch any tables in schema other than public! Is there any way we get fetch tables from schema other than public.</p>
<p dir="auto">when I try to upgrade my superset, I use superset db upgrade, I ran into the error:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="sqlalchemy.exc.IntegrityError: (pymysql.err.IntegrityError) (1062, &quot;Duplicate entry 'xxxx' for key 'uq_saved_query_uuid'&quot;) [SQL: ALTER TABLE saved_query ADD CONSTRAINT uq_saved_query_uuid UNIQUE (uuid)] (Background on this error at: http://sqlalche.me/e/13/gkpj)"><pre class="notranslate"><code class="notranslate">sqlalchemy.exc.IntegrityError: (pymysql.err.IntegrityError) (1062, "Duplicate entry 'xxxx' for key 'uq_saved_query_uuid'") [SQL: ALTER TABLE saved_query ADD CONSTRAINT uq_saved_query_uuid UNIQUE (uuid)] (Background on this error at: http://sqlalche.me/e/13/gkpj) </code></pre></div> <h3 dir="auto">Environment</h3> <p dir="auto">Mysql-5.7.25</p> <h3 dir="auto">Additional context</h3> <p dir="auto">I went back to commit <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/apache/superset/commit/d7eb1d476f6e2ffbc500c613e319b1e49a456a5a/hovercard" href="https://github.com/apache/superset/commit/d7eb1d476f6e2ffbc500c613e319b1e49a456a5a"><tt>d7eb1d4</tt></a>: on 96e99fb176a0_add_import_mixing_to_saved_query.py, there is a line of code, which is obviously written for acceleration:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="# Add uuids directly using built-in SQL uuid function add_uuids_by_dialect = { MySQLDialect: &quot;&quot;&quot;UPDATE %s SET uuid = UNHEX(REPLACE(uuid(), &quot;-&quot;, &quot;&quot;));&quot;&quot;&quot;, PGDialect: &quot;&quot;&quot;UPDATE %s SET uuid = uuid_in(md5(random()::text || clock_timestamp()::text)::cstring);&quot;&quot;&quot;, } "><pre class="notranslate"><code class="notranslate"># Add uuids directly using built-in SQL uuid function add_uuids_by_dialect = { MySQLDialect: """UPDATE %s SET uuid = UNHEX(REPLACE(uuid(), "-", ""));""", PGDialect: """UPDATE %s SET uuid = uuid_in(md5(random()::text || clock_timestamp()::text)::cstring);""", } </code></pre></div> <p dir="auto">I tried this line of code on my table with couple rows, it gives exact same uuid for each row. After I deleted this line of code, everything goes on well.</p>
0
<p dir="auto">In the latest releases of atom-shell when I add code for a BrowserWindow. It loads the window my code has requested but then also loads an additional blank one.</p> <p dir="auto">So for example I have this code:</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="mainWindow = new BrowserWindow({ &quot;width&quot;: 800, &quot;height&quot;: 600, &quot;fullscreen&quot;:false, &quot;kiosk&quot;: false, &quot;resizable&quot;:false, &quot;frame&quot;:true, &quot;web-preferences&quot;:{ &quot;web-security&quot;:false }, &quot;show&quot;:true });"><pre class="notranslate"><code class="notranslate">mainWindow = new BrowserWindow({ "width": 800, "height": 600, "fullscreen":false, "kiosk": false, "resizable":false, "frame":true, "web-preferences":{ "web-security":false }, "show":true }); </code></pre></div> <p dir="auto">But I get an empty white window (that is resizeable, and note that my code has this set to false) in addition to my own window that I have requested.</p> <p dir="auto">What's really interesting is that if I set frame to false, this doesn't happen! And if I delete the code above then it doesn't happen either. So it's like calling a browserwindow with a frame in the latest versions causes a duplicate window to be created.</p> <p dir="auto">I can confirm this bug happens in 0.19.5 and 0.20.3 but DOES NOT in 0.18.1, so it seems a recent fix in the later versions causes this issue. I'm testing on Windows 7.</p>
<ul dir="auto"> <li>Have one window opened by electron that opens a child window using window.open</li> <li>the parent does a postMessage to the child</li> <li>window.opener does not equal evt.source since evt.source is a BrowserWindow, but window.opener is not</li> </ul> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/309321/11744118/739bb3ba-a005-11e5-95ce-00e4544db436.png"><img src="https://cloud.githubusercontent.com/assets/309321/11744118/739bb3ba-a005-11e5-95ce-00e4544db436.png" alt="image" style="max-width: 100%;"></a></p> <p dir="auto">Electron 0.36.0, windows x64</p>
0
<h5 dir="auto">System information (version)</h5> <ul dir="auto"> <li>OpenCV &amp; OpenCV-contrib =&gt; 3.4.3</li> <li>Operating System / Platform =&gt; Ubuntu 18.04 LTS, 64 bit</li> <li>Compiler =&gt; gcc (Ubuntu 7.3.0-16ubuntu3) 7.3.0</li> <li>Python version =&gt; Python 2.7.15 :: Anaconda, Inc.</li> <li>CUDA version =&gt; NVCC 9.0, cuDNN 7.2.1</li> </ul> <h5 dir="auto">Detailed description</h5> <p dir="auto">After I install OpenCV with OpenCV-contrib from source, I got the following error when I try to import OpenCV:<br> <a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/19413803/45933104-c51d7400-bf54-11e8-8351-38a4c7359d2a.png"><img src="https://user-images.githubusercontent.com/19413803/45933104-c51d7400-bf54-11e8-8351-38a4c7359d2a.png" alt="image" style="max-width: 100%;"></a><br> I just finish the compilation without error using:<br> <code class="notranslate">cmake -D CMAKE_BUILD_TYPE=RELEASE \ -D CMAKE_INSTALL_PREFIX=/usr/local \ -D INSTALL_PYTHON_EXAMPLES=ON \ -D INSTALL_C_EXAMPLES=ON \ -D WITH_CUDA=OFF \ -D ENABLE_FAST_MATH=1 \ -D CUDA_FAST_MATH=1 \ -D WITH_CUBLAS=1 \ -D BUILD_EXAMPLES=ON \ -D OPENCV_EXTRA_MODULES_PATH=../../opencv_contrib-3.4.3/modules .. </code><br> I first tried with CUDA, but because of errors in connection with the version of gcc (NVCC needs version &lt;5, but OpenCV needs version&gt; 7 because of the error "-Wimplicit-fallthrough = 3 "unrecognized at 2% compilation). I finally did the compilation without CUDA and I had no compilation error.</p> <p dir="auto">I find that other people who have errors like this have had it with Mathematica or Draftsight (for example). <strong>However, I do not know how to fix this in the case of OpenCV.</strong></p> <p dir="auto">Note that I successfully compiled OpenCV (without CUDA and OpenCV_contrib) yesterday with the same compilation options.</p> <p dir="auto">For information, that was the information I get from cmake before compiling. We can see than "freetype2" was correctly identified (even if it seem that it could be the cause of the problem according to some forum of similar trouble on Mathematica)</p> <div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" &gt; cmake -D CMAKE_BUILD_TYPE=RELEASE \ -D CMAKE_INSTALL_PREFIX=/usr/local \ -D INSTALL_PYTHON_EXAMPLES=ON \ -D INSTALL_C_EXAMPLES=ON \ -D WITH_CUDA=OFF \ -D ENABLE_FAST_MATH=1 \ -D CUDA_FAST_MATH=1 \ -D WITH_CUBLAS=1 \ -D BUILD_EXAMPLES=ON \ -D OPENCV_EXTRA_MODULES_PATH=../../opencv_contrib-3.4.3/modules .. &gt; -- Looking for ccache - not found &gt; -- Found ZLIB: /usr/lib/x86_64-linux-gnu/libz.so (found suitable version &quot;1.2.11&quot;, minimum required is &quot;1.2.3&quot;) &gt; -- Found ZLIB: /usr/lib/x86_64-linux-gnu/libz.so (found version &quot;1.2.11&quot;) &gt; -- Looking for linux/videodev.h &gt; -- Looking for linux/videodev.h - not found &gt; -- Looking for linux/videodev2.h &gt; -- Looking for linux/videodev2.h - found &gt; -- Looking for sys/videoio.h &gt; -- Looking for sys/videoio.h - not found &gt; -- Checking for module 'libavresample' &gt; -- No package 'libavresample' found &gt; -- found Intel IPP (ICV version): 2017.0.3 [2017.0.3] &gt; -- at: /home/vincent/opencv-3.4.3/build/3rdparty/ippicv/ippicv_lnx &gt; -- found Intel IPP IW sources: 2017.0.3 &gt; -- at: /home/vincent/opencv-3.4.3/build/3rdparty/ippicv/ippiw_lnx &gt; -- LAPACK(Atlas): LAPACK_LIBRARIES: /usr/lib/x86_64-linux-gnu/liblapack.so;/usr/lib/x86_64-linux-gnu/libcblas.so;/usr/lib/x86_64-linux-gnu/libatlas.so &gt; -- LAPACK(Atlas): Support is enabled. &gt; -- Could NOT find JNI (missing: JAVA_AWT_LIBRARY JAVA_JVM_LIBRARY JAVA_INCLUDE_PATH JAVA_INCLUDE_PATH2 JAVA_AWT_INCLUDE_PATH) &gt; -- The imported target &quot;vtkRenderingPythonTkWidgets&quot; references the file &gt; &quot;/usr/lib/x86_64-linux-gnu/libvtkRenderingPythonTkWidgets.so&quot; &gt; but this file does not exist. Possible reasons include: &gt; * The file was deleted, renamed, or moved to another location. &gt; * An install or uninstall procedure did not complete successfully. &gt; * The installation package was faulty and contained &gt; &quot;/usr/lib/cmake/vtk-7.1/VTKTargets.cmake&quot; &gt; but not all the files it references. &gt; &gt; -- The imported target &quot;vtk&quot; references the file &gt; &quot;/usr/bin/vtk&quot; &gt; but this file does not exist. Possible reasons include: &gt; * The file was deleted, renamed, or moved to another location. &gt; * An install or uninstall procedure did not complete successfully. &gt; * The installation package was faulty and contained &gt; &quot;/usr/lib/cmake/vtk-7.1/VTKTargets.cmake&quot; &gt; but not all the files it references. &gt; &gt; -- Found VTK 7.1.1 (/usr/lib/cmake/vtk-7.1/UseVTK.cmake) &gt; -- Caffe: NO &gt; -- Protobuf: NO &gt; -- Glog: NO &gt; -- freetype2: YES &gt; -- harfbuzz: YES &gt; -- HDF5: Using hdf5 compiler wrapper to determine C configuration &gt; -- Module opencv_ovis disabled because OGRE3D was not found &gt; -- No preference for use of exported gflags CMake configuration set, and no hints for include/library directories provided. Defaulting to preferring an installed/exported gflags CMake configuration if available. &gt; -- Failed to find installed gflags CMake configuration, searching for gflags build directories exported with CMake. &gt; -- Failed to find gflags - Failed to find an installed/exported CMake configuration for gflags, will perform search for installed gflags components. &gt; -- Failed to find gflags - Could not find gflags include directory, set GFLAGS_INCLUDE_DIR to directory containing gflags/gflags.h &gt; -- Failed to find glog - Could not find glog include directory, set GLOG_INCLUDE_DIR to directory containing glog/logging.h &gt; -- Module opencv_sfm disabled because the following dependencies are not found: Glog/Gflags &gt; -- HDF5: Using hdf5 compiler wrapper to determine C configuration &gt; -- freetype2: YES &gt; -- harfbuzz: YES &gt; -- Checking for modules 'tesseract;lept' &gt; -- No package 'tesseract' found &gt; -- No package 'lept' found &gt; -- Tesseract: NO &gt; -- OpenCL samples are skipped: OpenCL SDK is required &gt; -- &gt; -- General configuration for OpenCV 3.4.3 ===================================== &gt; -- Version control: unknown &gt; -- &gt; -- Extra modules: &gt; -- Location (extra): /home/vincent/opencv_contrib-3.4.3/modules &gt; -- Version control (extra): unknown &gt; -- &gt; -- Platform: &gt; -- Timestamp: 2018-09-22T22:13:51Z &gt; -- Host: Linux 4.15.0-34-generic x86_64 &gt; -- CMake: 3.10.2 &gt; -- CMake generator: Unix Makefiles &gt; -- CMake build tool: /usr/bin/make &gt; -- Configuration: RELEASE &gt; -- &gt; -- CPU/HW features: &gt; -- Baseline: SSE SSE2 SSE3 &gt; -- requested: SSE3 &gt; -- Dispatched code generation: SSE4_1 SSE4_2 FP16 AVX AVX2 AVX512_SKX &gt; -- requested: SSE4_1 SSE4_2 AVX FP16 AVX2 AVX512_SKX &gt; -- SSE4_1 (5 files): + SSSE3 SSE4_1 &gt; -- SSE4_2 (2 files): + SSSE3 SSE4_1 POPCNT SSE4_2 &gt; -- FP16 (2 files): + SSSE3 SSE4_1 POPCNT SSE4_2 FP16 AVX &gt; -- AVX (6 files): + SSSE3 SSE4_1 POPCNT SSE4_2 AVX &gt; -- AVX2 (11 files): + SSSE3 SSE4_1 POPCNT SSE4_2 FP16 FMA3 AVX AVX2 &gt; -- AVX512_SKX (1 files): + SSSE3 SSE4_1 POPCNT SSE4_2 FP16 FMA3 AVX AVX2 AVX_512F AVX512_SKX &gt; -- &gt; -- C/C++: &gt; -- Built as dynamic libs?: YES &gt; -- C++11: YES &gt; -- C++ Compiler: /usr/bin/c++ (ver 7.3.0) &gt; -- C++ flags (Release): -fsigned-char -W -Wall -Werror=return-type -Werror=non-virtual-dtor -Werror=address -Werror=sequence-point -Wformat -Werror=format-security -Wmissing-declarations -Wundef -Winit-self -Wpointer-arith -Wshadow -Wsign-promo -Wuninitialized -Winit-self -Wno-narrowing -Wno-delete-non-virtual-dtor -Wno-comment -Wimplicit-fallthrough=3 -fdiagnostics-show-option -Wno-long-long -pthread -fomit-frame-pointer -ffast-math -ffunction-sections -fdata-sections -msse -msse2 -msse3 -fvisibility=hidden -fvisibility-inlines-hidden -O3 -DNDEBUG -DNDEBUG &gt; -- C++ flags (Debug): -fsigned-char -W -Wall -Werror=return-type -Werror=non-virtual-dtor -Werror=address -Werror=sequence-point -Wformat -Werror=format-security -Wmissing-declarations -Wundef -Winit-self -Wpointer-arith -Wshadow -Wsign-promo -Wuninitialized -Winit-self -Wno-narrowing -Wno-delete-non-virtual-dtor -Wno-comment -Wimplicit-fallthrough=3 -fdiagnostics-show-option -Wno-long-long -pthread -fomit-frame-pointer -ffast-math -ffunction-sections -fdata-sections -msse -msse2 -msse3 -fvisibility=hidden -fvisibility-inlines-hidden -g -O0 -DDEBUG -D_DEBUG &gt; -- C Compiler: /usr/bin/cc &gt; -- C flags (Release): -fsigned-char -W -Wall -Werror=return-type -Werror=non-virtual-dtor -Werror=address -Werror=sequence-point -Wformat -Werror=format-security -Wmissing-declarations -Wmissing-prototypes -Wstrict-prototypes -Wundef -Winit-self -Wpointer-arith -Wshadow -Wuninitialized -Winit-self -Wno-narrowing -Wno-comment -Wimplicit-fallthrough=3 -fdiagnostics-show-option -Wno-long-long -pthread -fomit-frame-pointer -ffast-math -ffunction-sections -fdata-sections -msse -msse2 -msse3 -fvisibility=hidden -O3 -DNDEBUG -DNDEBUG &gt; -- C flags (Debug): -fsigned-char -W -Wall -Werror=return-type -Werror=non-virtual-dtor -Werror=address -Werror=sequence-point -Wformat -Werror=format-security -Wmissing-declarations -Wmissing-prototypes -Wstrict-prototypes -Wundef -Winit-self -Wpointer-arith -Wshadow -Wuninitialized -Winit-self -Wno-narrowing -Wno-comment -Wimplicit-fallthrough=3 -fdiagnostics-show-option -Wno-long-long -pthread -fomit-frame-pointer -ffast-math -ffunction-sections -fdata-sections -msse -msse2 -msse3 -fvisibility=hidden -g -O0 -DDEBUG -D_DEBUG &gt; -- Linker flags (Release): &gt; -- Linker flags (Debug): &gt; -- ccache: NO &gt; -- Precompiled headers: YES &gt; -- Extra dependencies: dl m pthread rt &gt; -- 3rdparty dependencies: &gt; -- &gt; -- OpenCV modules: &gt; -- To be built: aruco bgsegm bioinspired calib3d ccalib core datasets dnn dnn_objdetect dpm face features2d flann freetype fuzzy hdf hfs highgui img_hash imgcodecs imgproc java_bindings_generator line_descriptor ml objdetect optflow phase_unwrapping photo plot python2 python_bindings_generator reg rgbd saliency shape stereo stitching structured_light superres surface_matching text tracking ts video videoio videostab viz xfeatures2d ximgproc xobjdetect xphoto &gt; -- Disabled: js matlab world &gt; -- Disabled by dependency: - &gt; -- Unavailable: cnn_3dobj cudaarithm cudabgsegm cudacodec cudafeatures2d cudafilters cudaimgproc cudalegacy cudaobjdetect cudaoptflow cudastereo cudawarping cudev cvv java ovis python3 sfm &gt; -- Applications: tests perf_tests examples apps &gt; -- Documentation: NO &gt; -- Non-free algorithms: YES &gt; -- &gt; -- GUI: &gt; -- GTK+: YES (ver 3.22.30) &gt; -- GThread : YES (ver 2.56.2) &gt; -- GtkGlExt: NO &gt; -- VTK support: YES (ver 7.1.1) &gt; -- &gt; -- Media I/O: &gt; -- ZLib: /usr/lib/x86_64-linux-gnu/libz.so (ver 1.2.11) &gt; -- JPEG: /usr/lib/x86_64-linux-gnu/libjpeg.so (ver 80) &gt; -- WEBP: /usr/lib/x86_64-linux-gnu/libwebp.so (ver encoder: 0x020e) &gt; -- PNG: /usr/lib/x86_64-linux-gnu/libpng.so (ver 1.6.34) &gt; -- TIFF: /usr/lib/x86_64-linux-gnu/libtiff.so (ver 42 / 4.0.9) &gt; -- JPEG 2000: /usr/lib/x86_64-linux-gnu/libjasper.so (ver 1.900.1) &gt; -- OpenEXR: build (ver 1.7.1) &gt; -- HDR: YES &gt; -- SUNRASTER: YES &gt; -- PXM: YES &gt; -- &gt; -- Video I/O: &gt; -- DC1394: YES (ver 2.2.5) &gt; -- FFMPEG: YES &gt; -- avcodec: YES (ver 57.107.100) &gt; -- avformat: YES (ver 57.83.100) &gt; -- avutil: YES (ver 55.78.100) &gt; -- swscale: YES (ver 4.8.100) &gt; -- avresample: NO &gt; -- GStreamer: &gt; -- base: YES (ver 1.14.1) &gt; -- video: YES (ver 1.14.1) &gt; -- app: YES (ver 1.14.1) &gt; -- riff: YES (ver 1.14.1) &gt; -- pbutils: YES (ver 1.14.1) &gt; -- libv4l/libv4l2: NO &gt; -- v4l/v4l2: linux/videodev2.h &gt; -- &gt; -- Parallel framework: pthreads &gt; -- &gt; -- Trace: YES (with Intel ITT) &gt; -- &gt; -- Other third-party libraries: &gt; -- Intel IPP: 2017.0.3 [2017.0.3] &gt; -- at: /home/vincent/opencv-3.4.3/build/3rdparty/ippicv/ippicv_lnx &gt; -- Intel IPP IW: sources (2017.0.3) &gt; -- at: /home/vincent/opencv-3.4.3/build/3rdparty/ippicv/ippiw_lnx &gt; -- Lapack: YES (/usr/lib/x86_64-linux-gnu/liblapack.so /usr/lib/x86_64-linux-gnu/libcblas.so /usr/lib/x86_64-linux-gnu/libatlas.so) &gt; -- Eigen: YES (ver 3.3.4) &gt; -- Custom HAL: NO &gt; -- Protobuf: build (3.5.1) &gt; -- &gt; -- OpenCL: YES (no extra features) &gt; -- Include path: /home/vincent/opencv-3.4.3/3rdparty/include/opencl/1.2 &gt; -- Link libraries: Dynamic load &gt; -- &gt; -- Python 2: &gt; -- Interpreter: /home/vincent/miniconda2/bin/python2.7 (ver 2.7.15) &gt; -- Libraries: /usr/lib/x86_64-linux-gnu/libpython2.7.so (ver 2.7.15rc1) &gt; -- numpy: /home/vincent/miniconda2/lib/python2.7/site-packages/numpy/core/include (ver 1.15.1) &gt; -- packages path: lib/python2.7/site-packages &gt; -- &gt; -- Python (for build): /home/vincent/miniconda2/bin/python2.7 &gt; -- &gt; -- Java: &gt; -- ant: NO &gt; -- JNI: NO &gt; -- Java wrappers: NO &gt; -- Java tests: NO &gt; -- &gt; -- Matlab: YES &gt; -- mex: /usr/local/MATLAB/R2018b/bin/mex &gt; -- Compiler/generator: Not working (bindings will not be generated) &gt; -- &gt; -- Install to: /usr/local &gt; -- ----------------------------------------------------------------- &gt; -- &gt; -- Configuring done &gt; -- Generating done &gt; -- Build files have been written to: /home/vincent/opencv-3.4.3/build &gt; "><pre class="notranslate"><code class="notranslate"> &gt; cmake -D CMAKE_BUILD_TYPE=RELEASE \ -D CMAKE_INSTALL_PREFIX=/usr/local \ -D INSTALL_PYTHON_EXAMPLES=ON \ -D INSTALL_C_EXAMPLES=ON \ -D WITH_CUDA=OFF \ -D ENABLE_FAST_MATH=1 \ -D CUDA_FAST_MATH=1 \ -D WITH_CUBLAS=1 \ -D BUILD_EXAMPLES=ON \ -D OPENCV_EXTRA_MODULES_PATH=../../opencv_contrib-3.4.3/modules .. &gt; -- Looking for ccache - not found &gt; -- Found ZLIB: /usr/lib/x86_64-linux-gnu/libz.so (found suitable version "1.2.11", minimum required is "1.2.3") &gt; -- Found ZLIB: /usr/lib/x86_64-linux-gnu/libz.so (found version "1.2.11") &gt; -- Looking for linux/videodev.h &gt; -- Looking for linux/videodev.h - not found &gt; -- Looking for linux/videodev2.h &gt; -- Looking for linux/videodev2.h - found &gt; -- Looking for sys/videoio.h &gt; -- Looking for sys/videoio.h - not found &gt; -- Checking for module 'libavresample' &gt; -- No package 'libavresample' found &gt; -- found Intel IPP (ICV version): 2017.0.3 [2017.0.3] &gt; -- at: /home/vincent/opencv-3.4.3/build/3rdparty/ippicv/ippicv_lnx &gt; -- found Intel IPP IW sources: 2017.0.3 &gt; -- at: /home/vincent/opencv-3.4.3/build/3rdparty/ippicv/ippiw_lnx &gt; -- LAPACK(Atlas): LAPACK_LIBRARIES: /usr/lib/x86_64-linux-gnu/liblapack.so;/usr/lib/x86_64-linux-gnu/libcblas.so;/usr/lib/x86_64-linux-gnu/libatlas.so &gt; -- LAPACK(Atlas): Support is enabled. &gt; -- Could NOT find JNI (missing: JAVA_AWT_LIBRARY JAVA_JVM_LIBRARY JAVA_INCLUDE_PATH JAVA_INCLUDE_PATH2 JAVA_AWT_INCLUDE_PATH) &gt; -- The imported target "vtkRenderingPythonTkWidgets" references the file &gt; "/usr/lib/x86_64-linux-gnu/libvtkRenderingPythonTkWidgets.so" &gt; but this file does not exist. Possible reasons include: &gt; * The file was deleted, renamed, or moved to another location. &gt; * An install or uninstall procedure did not complete successfully. &gt; * The installation package was faulty and contained &gt; "/usr/lib/cmake/vtk-7.1/VTKTargets.cmake" &gt; but not all the files it references. &gt; &gt; -- The imported target "vtk" references the file &gt; "/usr/bin/vtk" &gt; but this file does not exist. Possible reasons include: &gt; * The file was deleted, renamed, or moved to another location. &gt; * An install or uninstall procedure did not complete successfully. &gt; * The installation package was faulty and contained &gt; "/usr/lib/cmake/vtk-7.1/VTKTargets.cmake" &gt; but not all the files it references. &gt; &gt; -- Found VTK 7.1.1 (/usr/lib/cmake/vtk-7.1/UseVTK.cmake) &gt; -- Caffe: NO &gt; -- Protobuf: NO &gt; -- Glog: NO &gt; -- freetype2: YES &gt; -- harfbuzz: YES &gt; -- HDF5: Using hdf5 compiler wrapper to determine C configuration &gt; -- Module opencv_ovis disabled because OGRE3D was not found &gt; -- No preference for use of exported gflags CMake configuration set, and no hints for include/library directories provided. Defaulting to preferring an installed/exported gflags CMake configuration if available. &gt; -- Failed to find installed gflags CMake configuration, searching for gflags build directories exported with CMake. &gt; -- Failed to find gflags - Failed to find an installed/exported CMake configuration for gflags, will perform search for installed gflags components. &gt; -- Failed to find gflags - Could not find gflags include directory, set GFLAGS_INCLUDE_DIR to directory containing gflags/gflags.h &gt; -- Failed to find glog - Could not find glog include directory, set GLOG_INCLUDE_DIR to directory containing glog/logging.h &gt; -- Module opencv_sfm disabled because the following dependencies are not found: Glog/Gflags &gt; -- HDF5: Using hdf5 compiler wrapper to determine C configuration &gt; -- freetype2: YES &gt; -- harfbuzz: YES &gt; -- Checking for modules 'tesseract;lept' &gt; -- No package 'tesseract' found &gt; -- No package 'lept' found &gt; -- Tesseract: NO &gt; -- OpenCL samples are skipped: OpenCL SDK is required &gt; -- &gt; -- General configuration for OpenCV 3.4.3 ===================================== &gt; -- Version control: unknown &gt; -- &gt; -- Extra modules: &gt; -- Location (extra): /home/vincent/opencv_contrib-3.4.3/modules &gt; -- Version control (extra): unknown &gt; -- &gt; -- Platform: &gt; -- Timestamp: 2018-09-22T22:13:51Z &gt; -- Host: Linux 4.15.0-34-generic x86_64 &gt; -- CMake: 3.10.2 &gt; -- CMake generator: Unix Makefiles &gt; -- CMake build tool: /usr/bin/make &gt; -- Configuration: RELEASE &gt; -- &gt; -- CPU/HW features: &gt; -- Baseline: SSE SSE2 SSE3 &gt; -- requested: SSE3 &gt; -- Dispatched code generation: SSE4_1 SSE4_2 FP16 AVX AVX2 AVX512_SKX &gt; -- requested: SSE4_1 SSE4_2 AVX FP16 AVX2 AVX512_SKX &gt; -- SSE4_1 (5 files): + SSSE3 SSE4_1 &gt; -- SSE4_2 (2 files): + SSSE3 SSE4_1 POPCNT SSE4_2 &gt; -- FP16 (2 files): + SSSE3 SSE4_1 POPCNT SSE4_2 FP16 AVX &gt; -- AVX (6 files): + SSSE3 SSE4_1 POPCNT SSE4_2 AVX &gt; -- AVX2 (11 files): + SSSE3 SSE4_1 POPCNT SSE4_2 FP16 FMA3 AVX AVX2 &gt; -- AVX512_SKX (1 files): + SSSE3 SSE4_1 POPCNT SSE4_2 FP16 FMA3 AVX AVX2 AVX_512F AVX512_SKX &gt; -- &gt; -- C/C++: &gt; -- Built as dynamic libs?: YES &gt; -- C++11: YES &gt; -- C++ Compiler: /usr/bin/c++ (ver 7.3.0) &gt; -- C++ flags (Release): -fsigned-char -W -Wall -Werror=return-type -Werror=non-virtual-dtor -Werror=address -Werror=sequence-point -Wformat -Werror=format-security -Wmissing-declarations -Wundef -Winit-self -Wpointer-arith -Wshadow -Wsign-promo -Wuninitialized -Winit-self -Wno-narrowing -Wno-delete-non-virtual-dtor -Wno-comment -Wimplicit-fallthrough=3 -fdiagnostics-show-option -Wno-long-long -pthread -fomit-frame-pointer -ffast-math -ffunction-sections -fdata-sections -msse -msse2 -msse3 -fvisibility=hidden -fvisibility-inlines-hidden -O3 -DNDEBUG -DNDEBUG &gt; -- C++ flags (Debug): -fsigned-char -W -Wall -Werror=return-type -Werror=non-virtual-dtor -Werror=address -Werror=sequence-point -Wformat -Werror=format-security -Wmissing-declarations -Wundef -Winit-self -Wpointer-arith -Wshadow -Wsign-promo -Wuninitialized -Winit-self -Wno-narrowing -Wno-delete-non-virtual-dtor -Wno-comment -Wimplicit-fallthrough=3 -fdiagnostics-show-option -Wno-long-long -pthread -fomit-frame-pointer -ffast-math -ffunction-sections -fdata-sections -msse -msse2 -msse3 -fvisibility=hidden -fvisibility-inlines-hidden -g -O0 -DDEBUG -D_DEBUG &gt; -- C Compiler: /usr/bin/cc &gt; -- C flags (Release): -fsigned-char -W -Wall -Werror=return-type -Werror=non-virtual-dtor -Werror=address -Werror=sequence-point -Wformat -Werror=format-security -Wmissing-declarations -Wmissing-prototypes -Wstrict-prototypes -Wundef -Winit-self -Wpointer-arith -Wshadow -Wuninitialized -Winit-self -Wno-narrowing -Wno-comment -Wimplicit-fallthrough=3 -fdiagnostics-show-option -Wno-long-long -pthread -fomit-frame-pointer -ffast-math -ffunction-sections -fdata-sections -msse -msse2 -msse3 -fvisibility=hidden -O3 -DNDEBUG -DNDEBUG &gt; -- C flags (Debug): -fsigned-char -W -Wall -Werror=return-type -Werror=non-virtual-dtor -Werror=address -Werror=sequence-point -Wformat -Werror=format-security -Wmissing-declarations -Wmissing-prototypes -Wstrict-prototypes -Wundef -Winit-self -Wpointer-arith -Wshadow -Wuninitialized -Winit-self -Wno-narrowing -Wno-comment -Wimplicit-fallthrough=3 -fdiagnostics-show-option -Wno-long-long -pthread -fomit-frame-pointer -ffast-math -ffunction-sections -fdata-sections -msse -msse2 -msse3 -fvisibility=hidden -g -O0 -DDEBUG -D_DEBUG &gt; -- Linker flags (Release): &gt; -- Linker flags (Debug): &gt; -- ccache: NO &gt; -- Precompiled headers: YES &gt; -- Extra dependencies: dl m pthread rt &gt; -- 3rdparty dependencies: &gt; -- &gt; -- OpenCV modules: &gt; -- To be built: aruco bgsegm bioinspired calib3d ccalib core datasets dnn dnn_objdetect dpm face features2d flann freetype fuzzy hdf hfs highgui img_hash imgcodecs imgproc java_bindings_generator line_descriptor ml objdetect optflow phase_unwrapping photo plot python2 python_bindings_generator reg rgbd saliency shape stereo stitching structured_light superres surface_matching text tracking ts video videoio videostab viz xfeatures2d ximgproc xobjdetect xphoto &gt; -- Disabled: js matlab world &gt; -- Disabled by dependency: - &gt; -- Unavailable: cnn_3dobj cudaarithm cudabgsegm cudacodec cudafeatures2d cudafilters cudaimgproc cudalegacy cudaobjdetect cudaoptflow cudastereo cudawarping cudev cvv java ovis python3 sfm &gt; -- Applications: tests perf_tests examples apps &gt; -- Documentation: NO &gt; -- Non-free algorithms: YES &gt; -- &gt; -- GUI: &gt; -- GTK+: YES (ver 3.22.30) &gt; -- GThread : YES (ver 2.56.2) &gt; -- GtkGlExt: NO &gt; -- VTK support: YES (ver 7.1.1) &gt; -- &gt; -- Media I/O: &gt; -- ZLib: /usr/lib/x86_64-linux-gnu/libz.so (ver 1.2.11) &gt; -- JPEG: /usr/lib/x86_64-linux-gnu/libjpeg.so (ver 80) &gt; -- WEBP: /usr/lib/x86_64-linux-gnu/libwebp.so (ver encoder: 0x020e) &gt; -- PNG: /usr/lib/x86_64-linux-gnu/libpng.so (ver 1.6.34) &gt; -- TIFF: /usr/lib/x86_64-linux-gnu/libtiff.so (ver 42 / 4.0.9) &gt; -- JPEG 2000: /usr/lib/x86_64-linux-gnu/libjasper.so (ver 1.900.1) &gt; -- OpenEXR: build (ver 1.7.1) &gt; -- HDR: YES &gt; -- SUNRASTER: YES &gt; -- PXM: YES &gt; -- &gt; -- Video I/O: &gt; -- DC1394: YES (ver 2.2.5) &gt; -- FFMPEG: YES &gt; -- avcodec: YES (ver 57.107.100) &gt; -- avformat: YES (ver 57.83.100) &gt; -- avutil: YES (ver 55.78.100) &gt; -- swscale: YES (ver 4.8.100) &gt; -- avresample: NO &gt; -- GStreamer: &gt; -- base: YES (ver 1.14.1) &gt; -- video: YES (ver 1.14.1) &gt; -- app: YES (ver 1.14.1) &gt; -- riff: YES (ver 1.14.1) &gt; -- pbutils: YES (ver 1.14.1) &gt; -- libv4l/libv4l2: NO &gt; -- v4l/v4l2: linux/videodev2.h &gt; -- &gt; -- Parallel framework: pthreads &gt; -- &gt; -- Trace: YES (with Intel ITT) &gt; -- &gt; -- Other third-party libraries: &gt; -- Intel IPP: 2017.0.3 [2017.0.3] &gt; -- at: /home/vincent/opencv-3.4.3/build/3rdparty/ippicv/ippicv_lnx &gt; -- Intel IPP IW: sources (2017.0.3) &gt; -- at: /home/vincent/opencv-3.4.3/build/3rdparty/ippicv/ippiw_lnx &gt; -- Lapack: YES (/usr/lib/x86_64-linux-gnu/liblapack.so /usr/lib/x86_64-linux-gnu/libcblas.so /usr/lib/x86_64-linux-gnu/libatlas.so) &gt; -- Eigen: YES (ver 3.3.4) &gt; -- Custom HAL: NO &gt; -- Protobuf: build (3.5.1) &gt; -- &gt; -- OpenCL: YES (no extra features) &gt; -- Include path: /home/vincent/opencv-3.4.3/3rdparty/include/opencl/1.2 &gt; -- Link libraries: Dynamic load &gt; -- &gt; -- Python 2: &gt; -- Interpreter: /home/vincent/miniconda2/bin/python2.7 (ver 2.7.15) &gt; -- Libraries: /usr/lib/x86_64-linux-gnu/libpython2.7.so (ver 2.7.15rc1) &gt; -- numpy: /home/vincent/miniconda2/lib/python2.7/site-packages/numpy/core/include (ver 1.15.1) &gt; -- packages path: lib/python2.7/site-packages &gt; -- &gt; -- Python (for build): /home/vincent/miniconda2/bin/python2.7 &gt; -- &gt; -- Java: &gt; -- ant: NO &gt; -- JNI: NO &gt; -- Java wrappers: NO &gt; -- Java tests: NO &gt; -- &gt; -- Matlab: YES &gt; -- mex: /usr/local/MATLAB/R2018b/bin/mex &gt; -- Compiler/generator: Not working (bindings will not be generated) &gt; -- &gt; -- Install to: /usr/local &gt; -- ----------------------------------------------------------------- &gt; -- &gt; -- Configuring done &gt; -- Generating done &gt; -- Build files have been written to: /home/vincent/opencv-3.4.3/build &gt; </code></pre></div>
<p dir="auto">The documentation for fisheye::project algorithm has an error in it (I spent a day reimplementing<br> to figure this out).</p> <p dir="auto">On line 203 calib3d,hpp we have:<br> <code class="notranslate">\f[x' = (\theta_d / r) x \\ y' = (\theta_d / r) y \f]</code></p> <p dir="auto">'x' and 'y' should be replaced with 'a' and 'b':<br> <code class="notranslate">\f[x' = (\theta_d / r) a \\ y' = (\theta_d / r) b \f]</code></p> <p dir="auto">This might save another poor soul later.</p> <p dir="auto">--wayne</p>
0
<p dir="auto"><a href="http://jsfiddle.net/tianhai/7906445s/" rel="nofollow">http://jsfiddle.net/tianhai/7906445s/</a><br> Click on "Add" the first time, the value of the original radio button will disappear although v-model value is still there.<br> Click on "Add" the second time, no dom is added at all although the array is changed.</p>
<h3 dir="auto">Version</h3> <p dir="auto">2.6.10</p> <h3 dir="auto">Reproduction link</h3> <p dir="auto"><a href="https://codepen.io/fasteel/pen/qBBZbgO" rel="nofollow">https://codepen.io/fasteel/pen/qBBZbgO</a></p> <h3 dir="auto">Steps to reproduce</h3> <p dir="auto">Create a set in the object data, and try to delete an item via the delete method.</p> <h3 dir="auto">What is expected?</h3> <p dir="auto">When the text "DELETE" clicked, the item should disappear.</p> <h3 dir="auto">What is actually happening?</h3> <p dir="auto">Nothing</p>
0
<p dir="auto">Consolidates <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="48903136" data-permission-text="Title is private" data-url="https://github.com/babel/babel/issues/170" data-hovercard-type="issue" data-hovercard-url="/babel/babel/issues/170/hovercard" href="https://github.com/babel/babel/issues/170">#170</a> and <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="48854617" data-permission-text="Title is private" data-url="https://github.com/babel/babel/issues/168" data-hovercard-type="issue" data-hovercard-url="/babel/babel/issues/168/hovercard" href="https://github.com/babel/babel/issues/168">#168</a></p> <p dir="auto">Currently <code class="notranslate">let</code> variables will only be renamed if there's a duplicate variable with the same name in an upper scope. This needs to be extended to include references that appear in the same function scope.</p>
<h2 dir="auto">Bug Report</h2> <p dir="auto"><strong>Current Behavior</strong><br> I'm attempting to transpile a Svelte single file component (built as a custom element) with Babel. The Svelte compiler's <code class="notranslate">dev</code> mode includes a source map for CSS. When this option is turned on, it outputs an inline source map with the styles. This is all inside of a template literal.</p> <p dir="auto">That itself is valid code and it runs as expected in Chrome. When this is passed to Babel, however, to do further transformations, Babel errors with <code class="notranslate">Unterminated template</code>. We found that the following stopped Babel's error:</p> <ol dir="auto"> <li>Removing the newline before the source map.</li> <li>Removing the <code class="notranslate">/</code> (note: invalid CSS).</li> </ol> <p dir="auto"><strong>Input Code</strong></p> <ul dir="auto"> <li><a href="https://babeljs.io/repl/#?babili=false&amp;browsers=ie%2011&amp;build=&amp;builtIns=false&amp;spec=false&amp;loose=false&amp;code_lz=FACgZgrgdgxgLgSwPZRAGwDQAIHYG7YCmAlFgN5Z5YC8WaAdDAE6ECGchAomoQLaFQ4IBMQDcleqwDOAT1g0sARnF56UpjAUByAPQ6tWANRZ0SGO2RR6ACyRS4WAD6OsWtGdZpb9rcTUAHNAQhLQAuXwBtAAYAXSNXUIBmAFYAdgAmAE4dILxCFndWABN6ACspAH4pKAR_PKZqRS1xQgUGAHNCOG4-ATgpACEZABVWdoA5Vn5hYmiYlvp_VhZBcaQiwnoEKCl8uAHCMCQWEAIsEgBfYhAiswh-QWwtKWZauF9RUEhYRBQTUjIwAAkFoILssPYmAh4M1gMDvvBLFgoEgkP4QACLnCgQjflAsMUigB9dzmPEgQg8B5wbBgBA8bBBKCEbAwJBoe5QVnWZYA4FAym9QT0IlEqR5NAcIn8OCsBSAoGK0mhchYOkMujbFlYNkc3hcnU8phYLGKi6fIFY-HQRF_JjQcBQPmKlhwCBMfFgVBiYFWnE2vFYABGaFYUAA1kSkEHSoR4BjyPzXe78QB5GNxuCMFjsQggKAQNBoH2W7G4pH2qBEzxoR1SZ04nb0I5MTisGDWECVkt-8t_BBSIl91BwazbdoN5MerBwGT-QhIMAzsdQdo0ai0LTD2Gl60_JFSVhgQhElFwImEACOEE8IFY2CDk66KYJWAAhLQ5RVg-ufyq5R-tBBk4LggHeWAAGQQTOc4Lkucobpu0axjCpDODB86Lq-iGuNuPZlgGSKsP485QEUICykwnQ0si6wkImiqUdRkgkQIRQAMJjmg5Eohs-F7ra-LbLsTBCExXTYLx2phh2xwNuJWbCXsBwtnmUnYDJtjGuhBZFvx_r7n8Gyyh2-Z0Q2UmLMsfRrBs9AsLwSB5Jx9I8eZFq9oRfyCtS-ZTPRCpAlO-K3DA9x9NmbAcD0vlQP5-nDjOhAAB5CEU7CsE-brTqF4XCswUWEMMKVwLZebpbKCVefiUhLDAeZZS-HCpSABgfL6BGGfi7BwEwZkbBpcC9QgQYQBw-CeBAAX8ggS6nJNrQbsihbFrRdkOU5hAAIJDVCo0cHeu0jWNJAWgKaDgpZuxwDtw37XmPV7SdE0cqdHUCYGHauSsFJUn0jXTltTBMKwMjNkwSC8L9QpZl93FlfWHmdYJEJdESFWsBRJXYBjDYY9oBjGBjZ2zSYzVZvjgFYLjSWpfQ-O0MT70GSjcBIO07Q8ESMChlIUjQ9Skn-dgbMczwDY-RFPPSFIAAyA5wBEouc6035aISBgqloG15FoMR-fw-k8A4YXA303OQ_4KB9J8H0HmjpsrOebK8FbzKCCALtu_9DFAo75te9bggKIH7twEjwJsjsDhFAgokyBbrtB_0CgRPM2JR_YWAsFI7J5MS_gQ7wA6LVgAAKRcl_ZhC52geQYhaxtYBA_gVSeLzWIQRSFl3ChgJ4uwWpnDhBtssertzNZBu24ZSKn6d-ygWcrBsTCT0W08wLP89D0vDhgByUjWOvaCb9vtBp7bLOBh3Xc90SLdtwmgWkyAb6P7mYodnfPBFA2QIfylLfbuv8FC9SmmdIKNc85dyJIXSGVdRwCHAIfawJZSy7mvkRIoxIV75BPmfR0T4yL4PMBvGeUhFhgk7F6KqXU1SoOfvyYeqMBAEIoQoZkAB3LAABlLoDdsRAluL7IEeg1Rx3sKyGswZDjHEIAAVVbrmNU1UpD8jEToAkZFm7KI4DqS2yd1GKiBFwrirQbhx1nInb2ghKE8FXKOf-i9o4GKTmHBQsd442KMWoMcYAhDoMVNdbm7onY-LDp7QxYcgkAL0XmUOEUAAkSSgl-kVGY-kFjR5kXHOwre9iBDtCccGMeeSyGnwoX42agTBEaPEUgg0KB6puNsSnayui25FGkUWepWijwcCYEotuqiuqUKwMMMcc9eCgx1KwMEhA-kQggEGXY14-idNzJQ-g9ANGZJ4CYPBa8Kln0KY4tBoiXFZxOTPBQRz8mz0WGiQRJigSvzfLsNhNyCk2GkJ7KeM9iDOL9gCredTXmaKwDstQSAsDtBvEwIoBJ2isGEg4bYdIaj6PcGiYxrzPlVm-Y8wk_zyFb1iaaM0_ILhYH2RYrx1jEl2PoA44paCr6mPMSYA-1CHlnLZf_HlR8-VPPRNcdB6TAHt2_iA3utB-4XUIBHLBfwpUgBSQ2V-KTwZjGpP_bVartUMpkEEys1YizqqSfQIMciWBEiOUE7VYAQbtGpIsS19MrEyGwNq-AyVHVWuNZwlaHKgTaoGfgo5zZjhtlMoSe1bFSGgvDBK5miVHLQGdtEvoUT3F9BFssaiGlYBaQbCwigzrdX5qwCgaUSBM3YFrRsSESBvUEgCZGxNxoaW0CZVmFJHLK2uoilDBSxbZJMB9PycRKAACy9bg48lYjsdtgzlytG2MEBAnhV35GGbmegWADjmAWdO_pHahnxLmWS7eS7SI4HxCweo4JjirxMNsZkxo6RMHsMQM9tLWjAJ7jWqA87M3XsqQU2Rqld2XpGUSvF8b7lErAqQagAA-URLDuFRirM23qraFC1ozcKGZ6JuzNnpIM4Qg5hxBNfk2muBGTWXMYy2sG_hqEgGhThtjzG0nnEVZc8RnAiidDmeCAAtK05OtLpDUyYxDGQvcEC8H4LHXMaBvUaMhY5LOQRwyUhkASOecoc6FgcFhOUOTx5rk3YgTwA5xw6bNTWfMhAuG4fRop1taSNF9voNq4jC6HAXwXpaKdioI1ryjS2WNnYkNdoeXQlG-GlO5raTjLo7YVwTl9q_ALGrRGuYtYVq1fGlNBLKzq4dwpyLGRy-OSLipxHDFTAAEVTMtIsNaxo1qQcaFgYApDYG2DzCAtmZNh0C0kkw-1kSEF7mzJZhca75DyBIuKaAISyg4BUP9JjqsVcI727NwonUuupMGoskDqt-vlOaalabqpYBmYZ9GXqMvJ2wIZljL85pvmq8a_-xqIl9EoZxo-X2YmQKA1zNVVWzv9sDV6h7Z1KVA69REX7cRaDgKVc9-h9nofVrRHiEbD77AyW1AVT-Q7Ba0XPFeG8aAUmKGwPA_wp5_L1l9iwpY4S-0hzCQHJHZ0Qn-0EGDj2fbmv84hv4OetAyeWAhwrue6EyCPeYXvLAKSQ5I5m_KDR9O-gql0pgfzcBkrm5WhgIRkKqccA0ZzqQKpOfc_4CNjRUrzeon8PbkxZ4LzXk8H7pnofWdJPZxooMC6igqhDGGSMyFMwYnt0soIx4YAyB5oskxwXM0qjToHxUx2ZDF5iKXoENrVIJpIUwSv1fov19Xk3_zKBybm481gWdxEQAC9F3m4O35B9S7u53kqWBK_EAzyY8RhB6gyFHOOQTux_PJrd8GUMEYowZnjLPjRxrbe9LNBypuOYijGflQPAn_JfXW4UGi6nGjvzP9gAkpHHP1fYBAL9l6U0aGmGgUioWqVq92UEjOIeLObOHqfq2OhAMgVeeu4B1uCBSBCgeAC0QKlybyc02qce0ARQ6BMQpABB8eJB80r0sSeBhybAV-pAb2J4xqJOjwWAv2FKGiVwGi7u6uHKBq8SLyUCxQ1-M49oBOLo0A5qtYBBtqJ4DqZ0F2VawcvaOYUopuHsD-_qHKDG_g5O9ACk_8uh-h1gMgRQIMHAziShtWWYtYcM5hyCKuS8BhhaXQQKkCNKlI4IIBYaVqGhsMQhmCoBc0ThTY2wBGkE0E1W_hWwpA0Rl2EUCAgRJGWaw-QgfajaehquLhVEEkNaWRzhmkckkCQqnYqa_IEuIu4-SOA-1k1RaRRsXQfCEo0Uf0ggFor8s4mES4AAEsMLOrLDFBslTKCCQpil3L4L7Lwi0VwG0aFjqLzHPCVGxHPH0QMUMcHCAcPPaPAMcEwvii3PkIEUCCvpQj1DlrwjyLcFwiABQI5BsFrGiAIAYFcB4Q7lHMyPAF3OxMmvsSYi2CYCwr9g-suAODNmoO4ENF3MCqcSxKRBxFxORLCdqlIJCRwMQTjpwSYukkCI9MdBwJxGGJ0BxL8Y9Gzo2txAAGoLSSQebUnUGXKnERBknR644LZcL0kQJcEO5JJpatp_GKh8kyAURTIiziGxLIlCmcL-5vEaJJIoAUSwQ9KQYprCZaJtadYQi2CFhIqnEKY8Aor6JswEg4KcB5CCDyz2ACD5AVA6YsIIYKAilgm-qb5KywRxDoROmUIuk3pSBunzhslpzuF2mb5UJQ5ErNYujPjTgJgYa4EsJjwpQhyhmJnJSphgCkoqk0GvypnvhLSSaKBxGhm1RBD1TCAkLJTYCFmQKWiykmJJLXQCmQqbTAwIA4ICDBjGbv71SjZLjBBYA8hzyu7cln7Mw6AABUEIGgOgncRYSANgcAvA22nQn6uYSKQYxm0xlI-ieAiQ9A6Q9AigWA45OgGcuu6opcAAROoDADOZSO4AuUuZeVfIlLTuoQkTLtbg2FgcaLVGGCLFENgKiUgDRHAOzjOOkBysFFhiqK-WoQ1Jcn-fiLQJLB7NeUsFAJeRKVEGAiVCAJeT0feUgBgAAAUAA6-IWAWFNZwF8xqFQg15kJ1FOmYFuFLUfq9AcUhsNZcA6QbFDFb4zFrysJmgtAKIaINZ8apIFgCptFtIWS2AAALNgOkNgAAGyJCxJSUeDkhIXyUaiqVYCAVYCJCZBpJz5KiwUvbSyqb9Q1zOKjgQw8LcJYCcDAx7GXmhGUKmHmEqIoBaa0rHDbykxIJTYbJcLyZexZJIpcLBDWDrpYAAAGPlFhrAIYhAKo-OiV-ReIQlZoFlQIvAVl9CKRFErhNERRk6lySkokZVuRNEel2iE6Wly65EjVcAUQLV8JIAjVtFXVbEPVkJIs1ZOmxE3VclEF5lDu_gxVKMaqHYRJXcrIX51Vc0C1q4XcnF8UuBISGMFE4FHFXFb0rylKloBVCAfuaI1eSAl1AeDuCeoyqWPmwpDWX0q4zir8r1uWwKX1PVGFWJVKo5mCiU3ZeYKSuwaAYAPqSSru0N2wWBQQbcDYTcFAR1BMJoCgKSru_BDZlIYAgW10mNMN6uNAwBGir8WgR1Bg2wKBruZBSS8NjmT8lN_kWgQs_ARNruW13F1KUF0Z-IqN_kJoyq0sfMWAhFc55wqUKxzR25sxMMfOe8OxbMfUXl_8UghxfUkZxOpx2AFACkmVUyfixQSAXCAASqiA4BcKNtHNTqyPBUOB-Q1UeCeMHszp4NgBEJeUdZeaQaGsYarh9SEQUU2IYbgTVUIF5TkUWqCRTlHZVZwTpgHc4XTbgciY2VHXTTWTiIwgDRgkEU7tCHCk0dGCJPnLdE9BwPzP_NBV7T7eFuktRMiP5AKdBciagclNzRIQXU0UdQbNNCYunQIoLRza8SbrnejszGFPYJDBsf0PTIcFqPhbOe4JJuKHLZedgBLe4JFhOVObeXSJSCUNYIucudaRYb3BubLZKK0LufuYeceaeZHOeVktHgoNedOYfdxI-WgM-cjJ9A7f4dHp7CtYFD-dTAgHgGpTjJA4ZbHHgMZbRcZR1TA3gOBbxag4kEBZCeg1gxA3gMpRCJCYZXAIQ7RXg3AMkKg1Q0QyBYpXzdlALf5rNQA4VE2fA2pQoPRfhfA3lYKbA1w3MTw5A3w8IpAzhShUI5ebw7Ekg4IzDPhbRaIx1QoH-WWbEvA0eZIwo9IyIxo5A4oAYSVOxJPioVRamCHZ4H_cJXxbQGow1DWfA4kPI75Lo3gKI7RVo4Jjo0oxKc43Y3VA4zpvA4pS4zmm4x48Q2E2hb4zxaEwE-2EE_ipCf494647EyxckKo4E8cfA1k9o64zIzRZCfE2k-Exk8JUbaJbRBJaNbtINSBcZd7f5JvVRV_UUJJqGDar_VpTgiSDpZYA0ygxIjwNHtgJkOpVWWpWZY4-I4wIsZMBzbQJee07LGlZSNYyYtpWSIM_A8ZReWM1gAABxKVVmJBHP6NoPzMyyLNXntMWN4hWM8XswqzcyLGWJoPYCeWWO_3LWd2hGeC9PEjSXkiaP6WECHOKDgWEPpCKCpCXMHmi1SC3Pv1DgIBH1rPdNrMyD1pwCbNRZ9Mgu7OwPguHOpAqVVlRDpBaX1OeNfM-1fPtOSYNb0iiPbMyWoB0sjMQvgWKDQNYCEOJDpDwuzN31IsovLPtPtbZasuSWEsDMKlOOku8s0OGVZAit1O9RDOGXNP8CtMrPovcSSZRwEY9NyvAsKucvEPKtVkTMCtKVRCaXmv9M7OyUpM2tYDpDGWEOKWKXUuiuKXXN8wSttOGscSd4Qy_3OtEuKuQOEMHO8snOevYCJAZA0tau0WEO6uED6tMte6HidBsvyuutWt0MevpB4M-uZAXOivJBBvItC2Sthuzo1wFs5vRuWsfM0MJsqVqtKVqUauvIcP1shsGtH34u4nFscsfP8s9tYD8vGVHOdUeEFVoAsNIg2VQxSS84-GOWm3smuXuV9TfMmFmEX0gYBVcJBVzwhWdxhXBwRVzxRWgKxWjgJXJVnsZTpWZXiHZWhF8PW0O5FWPWBilVjpNWlrVU7B7B1Ux0cPjqlqSWtUzuoP-ujXIfwNwPiP9VkQfOIOQnLvofdWYcAU4f1Ykv4MjWvJjUDXweTVIfEeQP8tONkcfN4OeOsd0dwBOtEe0dMeoOKWcdxvYMgVofUcYfCcziCcMd8cEMifcdCdQMizJCKfMeQMqcye4d5PyfSdcEFUzUgdIjzU8gbXdI6igNJ1rUmfEn0AAurQ-EnEvNcxIsfPgUnuWBWN_O2c_N52Afk23XXUBf3XrtGTPU3DZZvV5Y-GfURffW4G_UcO-e82E4oyg3APg143Q2w0oGM2I25jI1NH62dxLOuBs05UefbY35CY9q018FCIZeQ0E1NG0BY0k1xkgEU1IL8DU34ite4r025dtm5itRdeEBlejec3q4GHFfHXBEmBaB2c9e1f9c5dQAI1DcHQLc_Nld2eTe4reePPFjo4MMvhFe9CZGHfC1T2LFYAABiYbUtHAZEc8W5N9c9it0cytexatoiGt84WtoasJR8Jt5tltWwUAn6axssCgiVAAPPYDIDwOhvA2QLHCWaDKECGGYOGFiBOQAMQQj1oaCEB94kTjgKJm2yzUAYyhBjWlkcs6DlAoCiALU_pdDUBjRgCSZHOiDTy7BqXKWIEABS6QAAWgABpC8ABerAAA6pkBAAAJKlBIBS-yzsRC8zKy_JRoDK9IAICi9LmnwADiAAijeD0WbXAEGOxIr1IIr1AOMHgEUJL6UBL7OggKmBdAb0b0GGbxb1bzb0L0UOr9L0GIkJSTIAAJrpCUlS-m9ZATbG-UkTa29qWy8yCK9HMwCJCi-nyW9oCpi8CZBcJFDG91xBigbtBl-3dQBlyUmxWi_G_JRq-y-i_-Ci_a_hji-2_tCyxS_JAwAhjJQQBlw9HjBRCEDa9oBlxoAj-K_sQDDhisDi9R-dAyBL8r_jBcJ--3fJCpgIADAjTG-ZClCsBS9SDtBgCUkj9lzsSZBS9FA9EXSi_DCD_D-j_G9m2tyH-lC79S8wApeigGAIr14Dt9O-yUbvrb0MDi9jeildoIr3ayQCV-a_GPslGsA59Z0mQHvkLzACG8N4X_WdFH1l5C9T4nAdAVP0yCKAigt3WKrP3n7sQtoCApAcv1X7tA0BGAxIFgJwFa9KSUgUXuQOsBR9eAfAnvorxgFwCEBjAqQVtGz7pBkozvRfhAGIGKAZ-DfH3gQNN7W9je93CASANKCKUjmssRIOMCkDh9TeEg-AQvyYF39MgrAqPpYJkHtAy4X_H_gMD_46CABQAkAWAI75d9hgiQAYFEDl4K9iByUEAb_3_6AC6gMAS3v4CDDpBkg1gIMO1nf4IAmB1ghAZwBL5l8K-vAW7lIFgFWDpBtg-wY4MQFcI8ATfNAOkHoFK9GBRzaoekEV7G9TBUfcXuMCl719G-vvL_pwAl5m0eQ2vfQWkIyENCYA8gxQQMGUGy9VB3QjQSby0FN9KSUQYgRdDEGGBbBUvP3pkCiB1DrBRg9IN_yKClBRhzg1wbHHcFRDvBoA8AV3wT4K8n-QvPAEGFoEIB9h0gxAS3x2FRAWhSQoMLLwUTYCNevA_gexEUB_9EhUQGAMX0KHQCthPwj4RkKQHbCT-ew0oJUImEKCigqQofukOcH38yhRQ5gcgLYEcDMBwIzXnLz4ECDVBOfcYNYFF6x8RheIsYbIKxFTCZhcw9QfgMWHW9ZecfCYbX1F7qCy4GIvAByJxFnDShKAywYcOOGnCh-c_UfuP1KAwi0ApfXEaPCYES9rAO_RIEL1-HN9uIi_YIcnzgCi9eEW0TIAvxgBQBUwigBgQMB4A9EBgEoqAKb3aB-8VhLQnIeXxeH5D7e7WKIO0EN4FCJhCiVIEUKMEmC1RS5TUWkOD6h8uRaAHPIr3T6KAog9vXgIoAwGuj4hvAIoFLz14IBTeCiW7pb14TJQeiZYisYMVu4DAyxs6KQKbyiANjTeMgZKI2PLHtZBimQbsUcxbFtiBgZtKsbLFrGyx6x3YhREOPbEyAhemQR-rDx0AI8keiVf2lii9J60Zw5VQ2mCWB7XELaIFE0DbSpwf5Dmb5E8EA3AqHhjwp4ECtAQ9pYAvao3fVnZ19ra1g65OIOiYCjph0HOEdEAH-PKoixRS5XQoiWmKI6YcStBICSHTVwrcHOQ9SOvBMWDq4aCpRY4qdUpTpJC6mgJuqXXWxdwK6-JGuK3X5rPjLyr4jAO5xQBWMG6QiJuqN3ImMNY64JDiqN0noVEmizE0bv_GQm3F10o9IJJhPKKKgCJPzFiU1CNpaEDuFXLicEhLqSS7O_EmSY2QoC7cx6_xCek9kwTT02YvAOepQg2DjEeGF0STO01ab3cj6u9LRKpitiiRXAAAAWnjdMdAVsLTOqDQDNAsA4iQoJNmdSQwsA7EdrOMBBKdxigcIC4BiB9B6ACeucd0PVFJ7-ByelPagKNDIg8AyglCMjMACAA&amp;debug=false&amp;forceAllTransforms=false&amp;shippedProposals=false&amp;circleciRepo=&amp;evaluate=false&amp;fileSize=false&amp;timeTravel=false&amp;sourceType=module&amp;lineWrap=true&amp;presets=env&amp;prettier=false&amp;targets=&amp;version=7.4.4&amp;externalPlugins=" rel="nofollow">REPL link to reproduction</a></li> </ul> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="this.shadowRoot.innerHTML = `&lt;style&gt;div{display:block} /*# sourceMappingURL=data:application/json;charset=utf-8;base64,eyJ2ZXJzaW9uIjozLCJmaWxlIjoiZmllbGQuaHRtbCIsInNvdXJjZXMiOlsiZmllbGQuaHRtbCJdLCJzb3VyY2VzQ29udGVudCI6WyI8c3ZlbHRlOm9wdGlvbnMgdGFnPVwiZGxzLWZpZWxkXCIgLz5cblxuPHN0eWxlPlxuICBkaXYgeyBkaXNwbGF5OiBibG9jazsgfVxuPC9zdHlsZT5cblxuPGRpdiBjbGFzcz1cImZpZWxkXCI+XG4gIDxkaXYgY2xhc3M9XCJfZmllbGRMYWJlbExheW91dFwiPlxuICAgIDxkaXYgY2xhc3M9XCJmaWVsZExhYmVsXCI+XG4gICAgICA8c2xvdCBuYW1lPVwiZmllbGQtbGFiZWxcIj48L3Nsb3Q+XG4gICAgPC9kaXY+XG4gICAgPGRpdiBjbGFzcz1cImZpZWxkT3B0aW9uYWxcIiBjbGFzczpvcHRpb25hbD5cbiAgICAgIE9wdGlvbmFsXG4gICAgPC9kaXY+XG4gIDwvZGl2PlxuICA8ZGl2IGNsYXNzPVwiZmllbGREZXRhaWxcIj5cbiAgICA8c2xvdCBuYW1lPVwiZmllbGQtZGV0YWlsXCI+PC9zbG90PlxuICA8L2Rpdj5cbiAgPGRpdiBjbGFzcz1cImZpZWxkQ29udHJvbFwiPlxuICAgIDxzbG90IG5hbWU9XCJmaWVsZC1jb250cm9sXCI+PC9zbG90PlxuICAgIDxzbG90Pjwvc2xvdD5cbiAgPC9kaXY+XG4gIDxkaXYgY2xhc3M9XCJmaWVsZE1lc3NhZ2VcIj5cbiAgICA8c2xvdCBuYW1lPVwiZmllbGQtbWVzc2FnZVwiPjwvc2xvdD5cbiAgPC9kaXY+XG48L2Rpdj5cblxuPHNjcmlwdD5cbiAgZXhwb3J0IGxldCB0aGVtZSA9ICcnO1xuICBleHBvcnQgbGV0IG9wdGlvbmFsID0gZmFsc2U7XG48L3NjcmlwdD5cbiJdLCJuYW1lcyI6W10sIm1hcHBpbmdzIjoiQUFHRSxHQUFHLEFBQUMsQ0FBQyxBQUFDLE9BQU8sQ0FBRSxLQUFLLEFBQUUsQ0FBQyJ9 */&lt;/style&gt;`;"><pre class="notranslate"><span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">shadowRoot</span><span class="pl-kos">.</span><span class="pl-c1">innerHTML</span> <span class="pl-c1">=</span> <span class="pl-s">`&lt;style&gt;div{display:block}</span> <span class="pl-s">/*# sourceMappingURL=data:application/json;charset=utf-8;base64,eyJ2ZXJzaW9uIjozLCJmaWxlIjoiZmllbGQuaHRtbCIsInNvdXJjZXMiOlsiZmllbGQuaHRtbCJdLCJzb3VyY2VzQ29udGVudCI6WyI8c3ZlbHRlOm9wdGlvbnMgdGFnPVwiZGxzLWZpZWxkXCIgLz5cblxuPHN0eWxlPlxuICBkaXYgeyBkaXNwbGF5OiBibG9jazsgfVxuPC9zdHlsZT5cblxuPGRpdiBjbGFzcz1cImZpZWxkXCI+XG4gIDxkaXYgY2xhc3M9XCJfZmllbGRMYWJlbExheW91dFwiPlxuICAgIDxkaXYgY2xhc3M9XCJmaWVsZExhYmVsXCI+XG4gICAgICA8c2xvdCBuYW1lPVwiZmllbGQtbGFiZWxcIj48L3Nsb3Q+XG4gICAgPC9kaXY+XG4gICAgPGRpdiBjbGFzcz1cImZpZWxkT3B0aW9uYWxcIiBjbGFzczpvcHRpb25hbD5cbiAgICAgIE9wdGlvbmFsXG4gICAgPC9kaXY+XG4gIDwvZGl2PlxuICA8ZGl2IGNsYXNzPVwiZmllbGREZXRhaWxcIj5cbiAgICA8c2xvdCBuYW1lPVwiZmllbGQtZGV0YWlsXCI+PC9zbG90PlxuICA8L2Rpdj5cbiAgPGRpdiBjbGFzcz1cImZpZWxkQ29udHJvbFwiPlxuICAgIDxzbG90IG5hbWU9XCJmaWVsZC1jb250cm9sXCI+PC9zbG90PlxuICAgIDxzbG90Pjwvc2xvdD5cbiAgPC9kaXY+XG4gIDxkaXYgY2xhc3M9XCJmaWVsZE1lc3NhZ2VcIj5cbiAgICA8c2xvdCBuYW1lPVwiZmllbGQtbWVzc2FnZVwiPjwvc2xvdD5cbiAgPC9kaXY+XG48L2Rpdj5cblxuPHNjcmlwdD5cbiAgZXhwb3J0IGxldCB0aGVtZSA9ICcnO1xuICBleHBvcnQgbGV0IG9wdGlvbmFsID0gZmFsc2U7XG48L3NjcmlwdD5cbiJdLCJuYW1lcyI6W10sIm1hcHBpbmdzIjoiQUFHRSxHQUFHLEFBQUMsQ0FBQyxBQUFDLE9BQU8sQ0FBRSxLQUFLLEFBQUUsQ0FBQyJ9 */&lt;/style&gt;`</span><span class="pl-kos">;</span></pre></div> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/1043291/57328750-1aaf2700-70c7-11e9-8352-949b44c2923e.png"><img src="https://user-images.githubusercontent.com/1043291/57328750-1aaf2700-70c7-11e9-8352-949b44c2923e.png" alt="Screen Shot 2019-05-07 at 12 48 33 PM" style="max-width: 100%;"></a></p> <p dir="auto"><strong>Expected behavior/code</strong><br> I expect this not to error.</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="{ babelrc: false, extensions: ['.html', '.js', '.mjs', '.svelte'], include: ['**/*.html', '**/*.js', '**/*.mjs', '**/*.svelte'], exclude: ['node_modules/@babel/runtime/**'], plugins: [ 'transform-custom-element-classes', [ '@babel/plugin-transform-runtime', { regenerator: false, useESModules: false } ] ], presets: [ [ '@babel/preset-env', { targets: { // TODO: temporary chrome: '70', ie: '11' } } ] ], runtimeHelpers: true }"><pre class="notranslate"><span class="pl-kos">{</span> <span class="pl-c1">babelrc</span>: <span class="pl-c1">false</span><span class="pl-kos">,</span> <span class="pl-c1">extensions</span>: <span class="pl-kos">[</span><span class="pl-s">'.html'</span><span class="pl-kos">,</span> <span class="pl-s">'.js'</span><span class="pl-kos">,</span> <span class="pl-s">'.mjs'</span><span class="pl-kos">,</span> <span class="pl-s">'.svelte'</span><span class="pl-kos">]</span><span class="pl-kos">,</span> <span class="pl-c1">include</span>: <span class="pl-kos">[</span><span class="pl-s">'**/*.html'</span><span class="pl-kos">,</span> <span class="pl-s">'**/*.js'</span><span class="pl-kos">,</span> <span class="pl-s">'**/*.mjs'</span><span class="pl-kos">,</span> <span class="pl-s">'**/*.svelte'</span><span class="pl-kos">]</span><span class="pl-kos">,</span> <span class="pl-c1">exclude</span>: <span class="pl-kos">[</span><span class="pl-s">'node_modules/@babel/runtime/**'</span><span class="pl-kos">]</span><span class="pl-kos">,</span> <span class="pl-c1">plugins</span>: <span class="pl-kos">[</span> <span class="pl-s">'transform-custom-element-classes'</span><span class="pl-kos">,</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-c1">regenerator</span>: <span class="pl-c1">false</span><span class="pl-kos">,</span> <span class="pl-c1">useESModules</span>: <span class="pl-c1">false</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">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-c1">targets</span>: <span class="pl-kos">{</span> <span class="pl-c">// TODO: temporary</span> <span class="pl-c1">chrome</span>: <span class="pl-s">'70'</span><span class="pl-kos">,</span> <span class="pl-c1">ie</span>: <span class="pl-s">'11'</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">runtimeHelpers</span>: <span class="pl-c1">true</span> <span class="pl-kos">}</span></pre></div> <p dir="auto"><strong>Environment</strong></p> <ul dir="auto"> <li>Babel version(s): [e.g. v6.0.0, v7.0.0-beta.34]<br> 7.4.3</li> <li>Node/npm version: [e.g. Node 8/npm 5]<br> node.js v10.15.0, npm 6.9.0</li> <li>OS: [e.g. OSX 10.13.4, Windows 10]<br> OSX 10.14.4</li> <li>Monorepo: [e.g. yes/no/Lerna]<br> Lerna</li> <li>How you are using Babel: [e.g. <code class="notranslate">cli</code>, <code class="notranslate">register</code>, <code class="notranslate">loader</code>]<br> Lerna -&gt; npm script -&gt; Rollup -&gt; <a href="https://github.com/rollup/rollup-plugin-babel">https://github.com/rollup/rollup-plugin-babel</a></li> </ul> <details> <summary><b>Click for 2-level Babel version info</b></summary> <pre class="notranslate">├─┬ @babel/core@7.4.3 │ ├── @babel/code-frame@7.0.0 │ ├── @babel/generator@7.4.0 │ ├── @babel/helpers@7.4.3 │ ├── @babel/parser@7.4.3 │ ├── @babel/template@7.4.0 │ ├── @babel/traverse@7.4.3 │ ├── @babel/types@7.4.0 │ ├── convert-source-map@1.6.0 │ ├── debug@4.1.1 │ ├── json5@2.1.0 │ ├── lodash@4.17.11 │ ├── resolve@1.10.0 │ ├── semver@5.7.0 │ └── source-map@0.5.7 ├─┬ @babel/plugin-transform-runtime@7.4.3 │ ├── @babel/helper-module-imports@7.0.0 │ ├── @babel/helper-plugin-utils@7.0.0 │ ├── resolve@1.10.0 deduped │ └── semver@5.7.0 deduped ├─┬ @babel/polyfill@7.4.3 │ ├── core-js@2.6.5 │ └── regenerator-runtime@0.13.2 ├─┬ @babel/preset-env@7.4.3 │ ├── @babel/helper-module-imports@7.0.0 deduped │ ├── @babel/helper-plugin-utils@7.0.0 deduped │ ├── @babel/plugin-proposal-async-generator-functions@7.2.0 │ ├── @babel/plugin-proposal-json-strings@7.2.0 │ ├── @babel/plugin-proposal-object-rest-spread@7.4.3 │ ├── @babel/plugin-proposal-optional-catch-binding@7.2.0 │ ├── @babel/plugin-proposal-unicode-property-regex@7.4.0 │ ├── @babel/plugin-syntax-async-generators@7.2.0 │ ├── @babel/plugin-syntax-json-strings@7.2.0 │ ├── @babel/plugin-syntax-object-rest-spread@7.2.0 │ ├── @babel/plugin-syntax-optional-catch-binding@7.2.0 │ ├── @babel/plugin-transform-arrow-functions@7.2.0 │ ├── @babel/plugin-transform-async-to-generator@7.4.0 │ ├── @babel/plugin-transform-block-scoped-functions@7.2.0 │ ├── @babel/plugin-transform-block-scoping@7.4.0 │ ├── @babel/plugin-transform-classes@7.4.3 │ ├── @babel/plugin-transform-computed-properties@7.2.0 │ ├── @babel/plugin-transform-destructuring@7.4.3 │ ├── @babel/plugin-transform-dotall-regex@7.4.3 │ ├── @babel/plugin-transform-duplicate-keys@7.2.0 │ ├── @babel/plugin-transform-exponentiation-operator@7.2.0 │ ├── @babel/plugin-transform-for-of@7.4.3 │ ├── @babel/plugin-transform-function-name@7.4.3 │ ├── @babel/plugin-transform-literals@7.2.0 │ ├── @babel/plugin-transform-member-expression-literals@7.2.0 │ ├── @babel/plugin-transform-modules-amd@7.2.0 │ ├── @babel/plugin-transform-modules-commonjs@7.4.3 │ ├── @babel/plugin-transform-modules-systemjs@7.4.0 │ ├── @babel/plugin-transform-modules-umd@7.2.0 │ ├── @babel/plugin-transform-named-capturing-groups-regex@7.4.2 │ ├── @babel/plugin-transform-new-target@7.4.0 │ ├── @babel/plugin-transform-object-super@7.2.0 │ ├── @babel/plugin-transform-parameters@7.4.3 │ ├── @babel/plugin-transform-property-literals@7.2.0 │ ├── @babel/plugin-transform-regenerator@7.4.3 │ ├── @babel/plugin-transform-reserved-words@7.2.0 │ ├── @babel/plugin-transform-shorthand-properties@7.2.0 │ ├── @babel/plugin-transform-spread@7.2.2 │ ├── @babel/plugin-transform-sticky-regex@7.2.0 │ ├── @babel/plugin-transform-template-literals@7.2.0 │ ├── @babel/plugin-transform-typeof-symbol@7.2.0 │ ├── @babel/plugin-transform-unicode-regex@7.4.3 │ ├── @babel/types@7.4.0 deduped ├─┬ babel-plugin-transform-custom-element-classes@0.1.0 </pre> </details><br> <p dir="auto"><strong>Possible Solution</strong><br> Dunno.</p> <p dir="auto"><strong>Additional context/Screenshots</strong><br> Simpler uses of CSS comments in template literals are fine, <a href="https://babeljs.io/repl#?babili=false&amp;browsers=ie%2011&amp;build=&amp;builtIns=false&amp;spec=false&amp;loose=false&amp;code_lz=MYGwhgzhAECyCeAhEB7YBraBvAUNawKAdhAC4BOArsKSuQBQCU2e-0pAFgJYQB0XRIgFNyACQAqsADLQAvNAAGAEy4A3bCogAHcPABc0AEaoMAXxwB6AFTQIKALZCCDx0VLQrFhQG5W580A&amp;debug=false&amp;forceAllTransforms=false&amp;shippedProposals=false&amp;circleciRepo=&amp;evaluate=false&amp;fileSize=false&amp;timeTravel=false&amp;sourceType=module&amp;lineWrap=true&amp;presets=env&amp;prettier=false&amp;targets=&amp;version=7.4.4&amp;externalPlugins=" rel="nofollow">see this very reduced similar case that isn't a source map</a></p> <div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="this.innerHTML = `div {display: block} /* some comment */`;"><pre class="notranslate"><span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-c1">innerHTML</span> <span class="pl-c1">=</span> <span class="pl-s">`div {display: block}</span> <span class="pl-s">/* some comment */`</span><span class="pl-kos">;</span></pre></div> <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/1043291/57328772-2c90ca00-70c7-11e9-8ebf-110a43163aa0.png"><img src="https://user-images.githubusercontent.com/1043291/57328772-2c90ca00-70c7-11e9-8ebf-110a43163aa0.png" alt="Screen Shot 2019-05-07 at 12 48 39 PM" style="max-width: 100%;"></a></p> <p dir="auto">This is similar to <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="427064557" data-permission-text="Title is private" data-url="https://github.com/babel/babel/issues/9790" data-hovercard-type="issue" data-hovercard-url="/babel/babel/issues/9790/hovercard" href="https://github.com/babel/babel/issues/9790">#9790</a>. Sounded different enough to me to file on its own, but do feel free to close if it's a duplicate.</p> <details> <summary><b>Previously filed as</b></summary> <p dir="auto"><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="440982592" data-permission-text="Title is private" data-url="https://github.com/rollup/rollup-plugin-babel/issues/307" data-hovercard-type="issue" data-hovercard-url="/rollup/rollup-plugin-babel/issues/307/hovercard" href="https://github.com/rollup/rollup-plugin-babel/issues/307">rollup/rollup-plugin-babel#307</a><br> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="440978396" data-permission-text="Title is private" data-url="https://github.com/sveltejs/svelte/issues/2704" data-hovercard-type="issue" data-hovercard-url="/sveltejs/svelte/issues/2704/hovercard" href="https://github.com/sveltejs/svelte/issues/2704">sveltejs/svelte#2704</a></p> </details>
0