text1
stringlengths 0
536k
| text2
stringlengths 0
536k
| label
int64 0
1
|
---|---|---|
<p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=ari1974" rel="nofollow">Ari Miller</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-4551?redirect=false" rel="nofollow">SPR-4551</a></strong> and commented</p>
<p dir="auto">My description of the problem below uses the 2.5.2 version of the classes described. Note the problem also occurs in 2.5.1.</p>
<p dir="auto">We believe we have discovered an issue with the RequestMapping method resolution logic, that can cause particular requests to be handled by the wrong RequestMapping method based on the order in which the controller methods are returned by Class.getDeclaredMethods() (which is not deterministic).</p>
<p dir="auto">The AnnotationMethodHandlerAdapter.ServletHandlerMethodResolver.resolveHandlerMethod will return the appropriate method to invoke for a given request. It starts with a series of methods that might potentially be used to handle the request, based on the <code class="notranslate">@RequestMapping</code> annotating those methods in the target handler. The problems stems from the dependency on initial order in the logic used to select from multiple potential methods:</p>
<p dir="auto">Lines 452 - 472 of AnnotationMethodHandlerAdapter:<br>
[CODE]<br>
else if (!targetHandlerMethods.isEmpty()) {<br>
RequestMappingInfo bestMappingMatch = null;<br>
String bestPathMatch = null;<br>
for (RequestMappingInfo mapping : targetHandlerMethods.keySet()) {<br>
String mappedPath = targetPathMatches.get(mapping);<br>
if (bestMappingMatch == null) {<br>
bestMappingMatch = mapping;<br>
bestPathMatch = mappedPath;<br>
}<br>
else {<br>
if ((mappedPath != null && (bestPathMatch == null ||<br>
mappedPath.equals(lookupPath) || bestPathMatch.length() < mappedPath.length())) ||<br>
(bestMappingMatch.methods.length == 0 && mapping.methods.length > 0) ||<br>
bestMappingMatch.params.length < mapping.params.length) {<br>
bestMappingMatch = mapping;<br>
bestPathMatch = mappedPath;<br>
}<br>
}<br>
}<br>
return targetHandlerMethods.get(bestMappingMatch);<br>
}<br>
[/CODE]<br>
Note that the if((mappedPath != null ... ) logic gives multiple possible opportunities for a method to be deemed a betterMappingMatch than the current best match. Given certain requestMapping annotations, this results in whichever method is last in the LinkedHashMap targetHandlerMethods being returned, because the last method will meet one of the || conditions in that if statement.</p>
<p dir="auto">Here is a specific example, with two methods on a single controller that could handle an incoming request with the path /enterAccessCode.do:</p>
<p dir="auto"><code class="notranslate">@RequestMapping</code>("/**/enterAccessCode.do")<br>
public ModelAndView methodWithPathMapping -- this is the method we want to handle the request</p>
<p dir="auto"><code class="notranslate">@RequestMapping</code>(method = {RequestMethod.GET, RequestMethod.POST})<br>
public ModelAndView methodWithMethodMapping()</p>
<p dir="auto">Say the LinkedHashMap targetHandlerMethods has the following order:</p>
<ol dir="auto">
<li>methodWithPathMapping</li>
<li>methodWithMethodMapping</li>
</ol>
<p dir="auto">Initially, the bestMappingMatch starts with methodWithPathMapping.<br>
When it gets to the if statement, methodWithMethodMapping becomes the bestMappingMatch, because this part of the statement is true:<br>
(bestMappingMatch.methods.length == 0 && mapping.methods.length > 0)<br>
This is not the desired behavior.</p>
<p dir="auto">If you have the reverse order:</p>
<ol dir="auto">
<li>methodWithMethodMapping</li>
<li>methodWithPathMapping</li>
</ol>
<p dir="auto">methodWithMethodMapping starts out as the bestMappingMatch, but know the first part of the if statement is true, so methodWithPathMapping becomes the best match.</p>
<p dir="auto">As to this not being deterministic:<br>
HandlerMethodResolver.handlerMethods is a LinkedHashSet created based on ReflectionUtils.doWithMethods, which in turn depends on the<br>
result of targetClass.getDeclaredMethods() (Javadoc declares: The elements in the array returned are not sorted and are not in any particular order). HandlerMethodResolver.handlerMethods is iterated through to create targetHandlerMethods, which is once again then not in a deterministic order. We've seen this result in different behavior depending on the JVM (and I think hardware) -- some hardware consistently uses the appropriate method to handle the incoming request, some hardware, because of the different method order, uses the inappropriate methodWithMethodMapping.<br>
Our workaround for this is to avoid having our general handler use method = {RequestMethod.GET, RequestMethod.POST} for the methodWithMethodMapping -- this makes all of the if statement || blocks false.<br>
My claim is that the logic to determine the best mapping match in the if block should be insensitive to initial order when finding the bestMappingMatch.</p>
<p dir="auto">Here is a crude and untested way to accomplish that:<br>
Replace:<br>
[CODE]<br>
if ((mappedPath != null && (bestPathMatch == null ||<br>
mappedPath.equals(lookupPath) || bestPathMatch.length() < mappedPath.length())) ||<br>
(bestMappingMatch.methods.length == 0 && mapping.methods.length > 0) ||<br>
bestMappingMatch.params.length < mapping.params.length) {<br>
bestMappingMatch = mapping;<br>
bestPathMatch = mappedPath;<br>
}<br>
[/CODE]<br>
with</p>
<p dir="auto">[CODE]<br>
private boolean isBetterPathMatch(String mappedPath, String mappedPathToCompare, String lookupPath) {<br>
return (mappedPath != null && (mappedPathToCompare == null ||<br>
mappedPath.equals(lookupPath) || mappedPathToCompare.length() < mappedPath.length()));<br>
}</p>
<p dir="auto">private boolean isBetterMethodMatch(RequestMappingInfo mapping, RequestMappingInfo mappingToCompare) {<br>
return mappingToCompare.methods.length == 0 && mapping.methods.length > 0;<br>
}</p>
<p dir="auto">private boolean isBetterParamMatch(RequestMappingInfo mapping, RequestMappingInfo mappingToCompare) {<br>
return mappingToCompare.params.length < mapping.params.length;<br>
}</p>
<p dir="auto">if (isBetterPathMatch(mapppedPath, bestPathMatch, lookupPath) ||<br>
(! isBetterPathMatch(bestPathMatch, mappedPath, lookupPath) && isBetterMethodMatch(mapping, bestMappingMatch)) ||<br>
(! isBetterPathMatch(bestPathMatch, mappedPath, lookupPath) && ! isBetterMethodMatch(bestMappingMatch, mapping) && isBetterParamMatch(mapping, bestMappingMatch)) {<br>
bestMappingMatch = mapping;<br>
bestPathMatch = mappedPath;<br>
}<br>
[/CODE]</p>
<hr>
<p dir="auto"><strong>Affects:</strong> 2.5.1, 2.5.2</p>
<p dir="auto"><strong>Attachments:</strong></p>
<ul dir="auto">
<li><a href="https://jira.spring.io/secure/attachment/13743/4551Fix.diff" rel="nofollow">4551Fix.diff</a> (<em>2.63 kB</em>)</li>
<li><a href="https://jira.spring.io/secure/attachment/13745/AnnotationMethodHandlerAdapter.java" rel="nofollow">AnnotationMethodHandlerAdapter.java</a> (<em>29.97 kB</em>)</li>
<li><a href="https://jira.spring.io/secure/attachment/13744/SpringAnnotationMethodHandlerAdapterNotDeterministicTest.java" rel="nofollow">SpringAnnotationMethodHandlerAdapterNotDeterministicTest.java</a> (<em>3.74 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="398090255" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/9744" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/9744/hovercard" href="https://github.com/spring-projects/spring-framework/issues/9744">#9744</a> <code class="notranslate">@RequestMapping</code> method resolution issue with duplicate paths</li>
</ul> | <p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=gupabhi" rel="nofollow">Abhishek Gupta</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-4873?redirect=false" rel="nofollow">SPR-4873</a></strong> and commented</p>
<p dir="auto">Sub: Additional sql-state classification required for Sybase and DB2</p>
<p dir="auto">We currently classify SQLExceptions as Transient or Non-Transient based on SQL-States we provide in a configuration file.<br>
Following are the SQL-States for DB2 and Sybase that we use:</p>
<p dir="auto">SQLStates for DB2,DB2UDB:</p>
<ul dir="auto">
<li>08001 Transient Exception No Connection (application requester could not connect to the target.)</li>
<li>40003 Transient Exception No Connection</li>
<li>S1000 Transient Exception Communication Failure</li>
<li>57011 Transient Exception Out of virtual memory</li>
<li>57019 Transient Exception DB currently in use</li>
<li>40001 Transient Exception Deadlock detected</li>
<li>23505 Non-Transient Exception Duplicate Key</li>
</ul>
<p dir="auto">SQLStates for Sybase:</p>
<ul dir="auto">
<li>JZ006 Transient Exception Unexpected I/O error</li>
<li>JW0I0 Transient Exception Internal error with a timed I/O stream</li>
<li>JZ0I1 Transient Exception I/O timeout</li>
<li>JZ0I2 Transient Exception I/O timeout</li>
<li>JZ0C0 Transient Exception Connecton already closed</li>
<li>JZ0P1 Transient Exception Unexptected result type</li>
<li>JZ0EM Transient Exception End of Data</li>
<li>JZ0P4 Transient Exception Protocol Error</li>
<li>40001 Transient Exception Deadlock detected</li>
<li>23000 Non-Transient Data Integrity Violated</li>
</ul>
<p dir="auto">The descriptions for the above sybase sql-states can be found here: <a href="http://manuals.sybase.com/onlinebooks/group-jcarc/jcg0400e/jcrg/%60@Generic__BookTextView%60/7402" rel="nofollow">http://manuals.sybase.com/onlinebooks/group-jcarc/jcg0400e/jcrg/`@Generic__BookTextView`/7402</a></p>
<p dir="auto">Not all of the above given error-states are supported in spring's SQLExceptionTranslator. It would be nice to have these available out of the box in spring, so we can completely replace our sql-state based error-handling with that of spring's.</p>
<hr>
<p dir="auto"><strong>Affects:</strong> 2.5.2, 2.5.3, 2.5.4</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="398089009" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/9575" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/9575/hovercard" href="https://github.com/spring-projects/spring-framework/issues/9575">#9575</a> Adding hook into SQL State based exception translation</li>
</ul> | 0 |
<p dir="auto">This 'issue' may be behaviour by design, but I couldn't find a suitable reference to this logic anywhere. So apologies if that is the case.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ tsc --version
message TS6029: Version 1.8.0-dev.20151105"><pre class="notranslate"><code class="notranslate">$ tsc --version
message TS6029: Version 1.8.0-dev.20151105
</code></pre></div>
<p dir="auto">Steps to repro:</p>
<ul dir="auto">
<li>Create empty TypeScript project in <code class="notranslate">/tmp/path/to/my/project/</code></li>
<li>Create a <code class="notranslate">tsconfig.json</code> as follows:</li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="{
"compilerOptions": {
"module": "system",
"target": "es5",
"noImplicitAny": false,
"sourceMap": false
},
"exclude": [
"node_modules"
]
}"><pre class="notranslate"><code class="notranslate">{
"compilerOptions": {
"module": "system",
"target": "es5",
"noImplicitAny": false,
"sourceMap": false
},
"exclude": [
"node_modules"
]
}
</code></pre></div>
<ul dir="auto">
<li>Create a single TypeScript file <code class="notranslate">/tmp/path/to/my/project/test.ts</code>:</li>
</ul>
<div class="highlight highlight-source-ts notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import * as React from "react";"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-c1">*</span> <span class="pl-k">as</span> <span class="pl-smi">React</span> <span class="pl-k">from</span> <span class="pl-s">"react"</span><span class="pl-kos">;</span></pre></div>
<ul dir="auto">
<li>Compile with <code class="notranslate">tsc</code>. Observe the following output as expected (because we haven't installed the type definition file anywhere):</li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="test.ts(1,24): error TS2307: Cannot find module 'react'."><pre class="notranslate"><code class="notranslate">test.ts(1,24): error TS2307: Cannot find module 'react'.
</code></pre></div>
<p dir="auto">What's interesting however is the output of <code class="notranslate">strace</code>:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ strace tsc 2>&1 | grep react
read(9, "import * as React from \"react\";\n", 32) = 32
stat("/tmp/path/to/my/project/react.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/to/my/project/react.d.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/to/my/react.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/to/my/react.d.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/to/react.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/to/react.d.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/react.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/react.d.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/react.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/react.d.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/react.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/react.d.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)"><pre class="notranslate"><code class="notranslate">$ strace tsc 2>&1 | grep react
read(9, "import * as React from \"react\";\n", 32) = 32
stat("/tmp/path/to/my/project/react.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/to/my/project/react.d.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/to/my/react.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/to/my/react.d.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/to/react.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/to/react.d.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/react.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/path/react.d.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/react.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/tmp/react.d.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/react.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
stat("/react.d.ts", 0x7ffd985dbb00) = -1 ENOENT (No such file or directory)
</code></pre></div>
<p dir="auto">i.e. in trying to resolve the non-relative <code class="notranslate">import</code> of <code class="notranslate">"react"</code>, every parent directory up to and including <code class="notranslate">/</code> is considered as a potential location for either <code class="notranslate">react.ts</code> or <code class="notranslate">react.d.ts</code>.</p>
<p dir="auto">We got bitten by this the other day because I happened to have a copy of <code class="notranslate">react.d.ts</code> kicking around in a parent directory (two directories higher) of our project. The compiler also picked up the intended version within our project, installed via <code class="notranslate">tsd</code> in a <code class="notranslate">typings</code> subdirectory. This threw a number of 'duplicate definition' errors (which in the circumstances, i.e. loading two copies of the same file, is expected behaviour).</p>
<p dir="auto">So the unexpected behaviour here was:</p>
<ul dir="auto">
<li>walking all the way to '/'</li>
<li>but also the non-relative import trying to load a file in the first place given the <code class="notranslate">"system"</code> module setting (but again I could be missing something here)</li>
</ul>
<p dir="auto">Please can someone confirm whether this is by design on both counts?</p> | <p dir="auto">React's setState(state) method accepts an object with only some of the total set of keys found in a component's state but to express that in Typescript the definition of the interface passed to React.Component[Props, State] has to be somewhat sacrificed by making all fields optional (?):</p>
<div class="highlight highlight-source-ts notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="interface State { stateField1?: number; stateField2?: number; }
class MyComponent extends React.Component<any, State> {
... this.setState({ stateField1: 123 }); ...
}"><pre class="notranslate"><span class="pl-k">interface</span> <span class="pl-smi">State</span> <span class="pl-kos">{</span> <span class="pl-c1">stateField1</span>?: <span class="pl-smi">number</span><span class="pl-kos">;</span> <span class="pl-c1">stateField2</span>?: <span class="pl-smi">number</span><span class="pl-kos">;</span> <span class="pl-kos">}</span>
<span class="pl-k">class</span> <span class="pl-smi">MyComponent</span> <span class="pl-k">extends</span> <span class="pl-smi">React</span><span class="pl-kos">.</span><span class="pl-c1">Component</span><span class="pl-c1"><</span><span class="pl-s1">any</span><span class="pl-kos">,</span> <span class="pl-smi">State</span><span class="pl-c1">></span> <span class="pl-kos">{</span>
... <span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-en">setState</span><span class="pl-kos">(</span><span class="pl-kos">{</span> <span class="pl-c1">stateField1</span>: <span class="pl-c1">123</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">Better IMO would be to have some way of specifying that the argument to setState is a 'fragment' of State.</p>
<div class="highlight highlight-source-ts notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="class Component<Props, State> {
...
setState(update: fragmentof State);
}
interface State { stateField1: number; stateField2: number; }
var s: State = { stateField1: 123 }; // ts error
this.setState({ stateField1: 123 }); // ts ok"><pre class="notranslate"><span class="pl-k">class</span> <span class="pl-smi">Component</span><span class="pl-c1"><</span><span class="pl-smi">Props</span><span class="pl-kos">,</span> <span class="pl-smi">State</span><span class="pl-c1">></span> <span class="pl-kos">{</span>
...
<span class="pl-c1">setState</span><span class="pl-kos">(</span><span class="pl-s1">update</span>: <span class="pl-smi">fragmentof</span> <span class="pl-smi">State</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-k">interface</span> <span class="pl-smi">State</span> <span class="pl-kos">{</span> <span class="pl-c1">stateField1</span>: <span class="pl-smi">number</span><span class="pl-kos">;</span> <span class="pl-c1">stateField2</span>: <span class="pl-smi">number</span><span class="pl-kos">;</span> <span class="pl-kos">}</span>
<span class="pl-k">var</span> <span class="pl-s1">s</span>: <span class="pl-smi">State</span> <span class="pl-c1">=</span> <span class="pl-kos">{</span> <span class="pl-c1">stateField1</span>: <span class="pl-c1">123</span> <span class="pl-kos">}</span><span class="pl-kos">;</span> <span class="pl-c">// ts error</span>
<span class="pl-smi">this</span><span class="pl-kos">.</span><span class="pl-en">setState</span><span class="pl-kos">(</span><span class="pl-kos">{</span> <span class="pl-c1">stateField1</span>: <span class="pl-c1">123</span> <span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-c">// ts ok</span></pre></div> | 0 |
<p dir="auto"><strong>Is this a request for help?</strong> (If yes, you should use our troubleshooting guide and community support channels, see <a href="http://kubernetes.io/docs/troubleshooting/" rel="nofollow">http://kubernetes.io/docs/troubleshooting/</a>.):<br>
no</p>
<p dir="auto"><strong>What keywords did you search in Kubernetes issues before filing this one?</strong> (If you have found any duplicates, you should instead reply there.):<br>
kube-apiserver.log<br>
kube api logs<br>
log file link</p>
<hr>
<p dir="auto"><strong>Is this a BUG REPORT or FEATURE REQUEST?</strong> (choose one):</p>
<p dir="auto"><strong>Kubernetes version</strong> (use <code class="notranslate">kubectl version</code>):<br>
Server Version: version.Info{Major:"1", Minor:"4", GitVersion:"v1.4.3", GitCommit:"4957b090e9a4f6a68b4a40375408fdc74a212260", GitTreeState:"clean", BuildDate:"2016-10-16T06:20:04Z", GoVersion:"go1.6.3", Compiler:"gc", Platform:"linux/amd64"}</p>
<p dir="auto"><strong>Environment</strong>:</p>
<ul dir="auto">
<li><strong>Cloud provider or hardware configuration</strong>: aws</li>
<li><strong>OS</strong> (e.g. from /etc/os-release): what kops provisions by default</li>
<li><strong>Kernel</strong> (e.g. <code class="notranslate">uname -a</code>): what kops provisions by default</li>
<li><strong>Install tools</strong>: kops</li>
<li><strong>Others</strong>:</li>
</ul>
<p dir="auto"><strong>What happened</strong>:<br>
The HTML links generated by the kube api server for the /logs endpoint do not prefix the filename with /logs.</p>
<p dir="auto"><strong>What you expected to happen</strong>:<br>
Clicking the link to a log file should result in a request GET /logs/kube-apiserver.log</p>
<p dir="auto"><strong>How to reproduce it</strong> (as minimally and precisely as possible):<br>
Request to api server: GET /logs<br>
Click link for kube-apiserver.log</p>
<p dir="auto"><strong>Anything else do we need to know</strong>:<br>
no</p> | <p dir="auto">In <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="44001551" data-permission-text="Title is private" data-url="https://github.com/kubernetes/kubernetes/issues/1458" data-hovercard-type="pull_request" data-hovercard-url="/kubernetes/kubernetes/pull/1458/hovercard" href="https://github.com/kubernetes/kubernetes/pull/1458">#1458</a>, Brendan introduced a pattern for accessing and defaulting values: Rather than actually setting the value in the struct during validation (which we do for some other fields), he wrapped the comparisons in functions that captured the defaulting.</p>
<p dir="auto">This pattern has a distinct advantage of working in tests, where input validation has not run. It has the distinct disadvantage that not all fields are so self-contained - some set their default based on another field's value.</p>
<p dir="auto">We should choose a pattern and apply it liberally. I'd like to be consistent as much as possible.</p> | 0 |
<p dir="auto">Version: 1.0.0<br>
OS Version: Microsoft Windows NT 10.0.19041.0<br>
IntPtr Length: 8<br>
x64: True<br>
Date: 08/04/2020 18:37:41<br>
Exception:<br>
System.ObjectDisposedException: Cannot access a disposed object.<br>
Object name: 'Timer'.<br>
at System.Timers.Timer.set_Enabled(Boolean value)<br>
at System.Timers.Timer.Start()<br>
at PowerLauncher.MainWindow.OnVisibilityChanged(Object sender, DependencyPropertyChangedEventArgs e)<br>
at System.Windows.UIElement.RaiseDependencyPropertyChanged(EventPrivateKey key, DependencyPropertyChangedEventArgs args)<br>
at System.Windows.UIElement.OnIsVisibleChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)<br>
at System.Windows.DependencyObject.OnPropertyChanged(DependencyPropertyChangedEventArgs e)<br>
at System.Windows.FrameworkElement.OnPropertyChanged(DependencyPropertyChangedEventArgs e)<br>
at System.Windows.DependencyObject.NotifyPropertyChange(DependencyPropertyChangedEventArgs args)<br>
at System.Windows.UIElement.UpdateIsVisibleCache()<br>
at System.Windows.PresentationSource.RootChanged(Visual oldRoot, Visual newRoot)<br>
at System.Windows.Interop.HwndSource.set_RootVisualInternal(Visual value)<br>
at System.Windows.Interop.HwndSource.set_RootVisual(Visual value)<br>
at System.Windows.Window.SetRootVisual()<br>
at System.Windows.Window.SetRootVisualAndUpdateSTC()<br>
at System.Windows.Window.SetupInitialState(Double requestedTop, Double requestedLeft, Double requestedWidth, Double requestedHeight)<br>
at System.Windows.Window.CreateSourceWindow(Boolean duringShow)<br>
at System.Windows.Window.CreateSourceWindowDuringShow()<br>
at System.Windows.Window.SafeCreateWindowDuringShow()<br>
at System.Windows.Window.ShowHelper(Object booleanBox)<br>
at System.Windows.Threading.ExceptionWrapper.InternalRealCall(Delegate callback, Object args, Int32 numArgs)<br>
at System.Windows.Threading.ExceptionWrapper.TryCatchWhen(Object source, Delegate callback, Object args, Int32 numArgs, Delegate catchHandler)</p>
<p dir="auto">Log file<br>
<a href="https://github.com/microsoft/PowerToys/files/5025632/2020-08-04.txt">2020-08-04.txt</a></p> | <p dir="auto">Popup tells me to give y'all this.</p>
<p dir="auto"><a href="https://github.com/microsoft/PowerToys/files/5009460/2020-07-31.txt">2020-07-31.txt</a></p>
<p dir="auto">Version: 1.0.0<br>
OS Version: Microsoft Windows NT 10.0.19041.0<br>
IntPtr Length: 8<br>
x64: True<br>
Date: 07/31/2020 17:29:59<br>
Exception:<br>
System.ObjectDisposedException: Cannot access a disposed object.<br>
Object name: 'Timer'.<br>
at System.Timers.Timer.set_Enabled(Boolean value)<br>
at System.Timers.Timer.Start()<br>
at PowerLauncher.MainWindow.OnVisibilityChanged(Object sender, DependencyPropertyChangedEventArgs e)<br>
at System.Windows.UIElement.RaiseDependencyPropertyChanged(EventPrivateKey key, DependencyPropertyChangedEventArgs args)<br>
at System.Windows.UIElement.OnIsVisibleChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)<br>
at System.Windows.DependencyObject.OnPropertyChanged(DependencyPropertyChangedEventArgs e)<br>
at System.Windows.FrameworkElement.OnPropertyChanged(DependencyPropertyChangedEventArgs e)<br>
at System.Windows.DependencyObject.NotifyPropertyChange(DependencyPropertyChangedEventArgs args)<br>
at System.Windows.UIElement.UpdateIsVisibleCache()<br>
at System.Windows.PresentationSource.RootChanged(Visual oldRoot, Visual newRoot)<br>
at System.Windows.Interop.HwndSource.set_RootVisualInternal(Visual value)<br>
at System.Windows.Interop.HwndSource.set_RootVisual(Visual value)<br>
at System.Windows.Window.SetRootVisual()<br>
at System.Windows.Window.SetRootVisualAndUpdateSTC()<br>
at System.Windows.Window.SetupInitialState(Double requestedTop, Double requestedLeft, Double requestedWidth, Double requestedHeight)<br>
at System.Windows.Window.CreateSourceWindow(Boolean duringShow)<br>
at System.Windows.Window.CreateSourceWindowDuringShow()<br>
at System.Windows.Window.SafeCreateWindowDuringShow()<br>
at System.Windows.Window.ShowHelper(Object booleanBox)<br>
at System.Windows.Threading.ExceptionWrapper.InternalRealCall(Delegate callback, Object args, Int32 numArgs)<br>
at System.Windows.Threading.ExceptionWrapper.TryCatchWhen(Object source, Delegate callback, Object args, Int32 numArgs, Delegate catchHandler)</p> | 1 |
<p dir="auto">When using stacked progress bars, the value 0 is not usable with the <code class="notranslate">aria-valuenow</code> attribute.</p>
<p dir="auto">See:<br>
<a href="http://plnkr.co/edit/MqKBgSEWHidDY6lNFWwG?p=preview" rel="nofollow">http://plnkr.co/edit/MqKBgSEWHidDY6lNFWwG?p=preview</a></p>
<p dir="auto">This is due to the min-width for the <code class="notranslate">[aria-valuenow=0]</code> pushing the 100% bar element to the next line.</p>
<p dir="auto">Discovered while testing <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="38666242" data-permission-text="Title is private" data-url="https://github.com/angular-ui/bootstrap/issues/2511" data-hovercard-type="issue" data-hovercard-url="/angular-ui/bootstrap/issues/2511/hovercard" href="https://github.com/angular-ui/bootstrap/issues/2511">angular-ui/bootstrap#2511</a> .</p> | <p dir="auto">The min-width on progress bars meant for showing 0% text cases can sometimes cause stacked bars to not appear. This problem arises when using the <code class="notranslate">aria-valuenow</code> attribute.</p>
<p dir="auto"><a href="http://jsbin.com/rexagi/1/" rel="nofollow">jsbin demo</a></p>
<p dir="auto">Resizing the browser to a grid size medium or below shows the problems in the 90%s.</p> | 1 |
<p dir="auto"><em>Original title: Support having non-page js/jsx files in pages dir</em></p>
<p dir="auto">This is an often requested feature. See issues <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="284890110" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/3508" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/3508/hovercard" href="https://github.com/vercel/next.js/issues/3508">#3508</a> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="226904261" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/1914" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/1914/hovercard" href="https://github.com/vercel/next.js/issues/1914">#1914</a> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="220829280" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/1689" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/1689/hovercard" href="https://github.com/vercel/next.js/issues/1689">#1689</a> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="217685541" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/1545" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/1545/hovercard" href="https://github.com/vercel/next.js/issues/1545">#1545</a> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="205349963" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/988" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/988/hovercard" href="https://github.com/vercel/next.js/issues/988">#988</a> and there are likely more. <em>edit: Also <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="268726767" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/3183" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/3183/hovercard" href="https://github.com/vercel/next.js/issues/3183">#3183</a>.</em></p>
<p dir="auto">This issue was fixed in PR <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="269175943" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/3195" data-hovercard-type="pull_request" data-hovercard-url="/vercel/next.js/pull/3195/hovercard" href="https://github.com/vercel/next.js/pull/3195">#3195</a> but somewhere along the way the <code class="notranslate">pagesGlobPattern</code> config became broken, and was cleaned out in PR <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="288925622" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/3578" data-hovercard-type="pull_request" data-hovercard-url="/vercel/next.js/pull/3578/hovercard" href="https://github.com/vercel/next.js/pull/3578">#3578</a>.</p>
<p dir="auto">This feature would allow us to place files that support specific pages, <em>with the pages that they support</em>. These "support" files could be tests, components, utilities, and more. This would improve the application's file organization, especially for large projects.</p> | <p dir="auto">(I searched for duplicates, apologies if this has been discussed before.)</p>
<p dir="auto">The package.json files in <a href="https://github.com/zeit/next.js/blob/094bb1f7b95f10c84a9e98d4ec76abfd03f8c60d/package.json#L49-L105">Next.js</a> and <a href="https://github.com/zeit/styled-jsx/blob/296526dc43212aa4244932b138791a7fe908bd96/package.json#L56-L67">styled-jsx</a> omit the conventional <code class="notranslate">^</code> on dependency versions.</p>
<p dir="auto">Why is this? I'm guessing it's intentional, as it seems to be this way on multiple Zeit projects, and you obviously know what you're doing.</p>
<p dir="auto">Why it causes a problem for me: I'm making a Next.js website. I found a bug coming from <a href="https://github.com/thysultan/stylis.js">Stylis</a> the other night, and it got fixed by <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/thysultan/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/thysultan">@thysultan</a> quickly. But then I had to wait for styled-jsx to be republished, which happened the next day. And Next.js is still not republished (at time of writing), so I'm still blocked until that happens.</p>
<p dir="auto">If it's a defence against regressions in dependencies, FWIW, it seems like opting out of automatic patches does more harm than good. I know patch releases can sometimes introduce regressions, but they fix bugs more often. The approach would make sense to me if you had an automated nightly test-and-republish system to ensure you pick up patches quickly, but this doesn't seem to be in place – for example, until a few hours ago, styled-jsx was fixed to a two-month-old Stylis version (3.2.8), from July 24. Stylis has released 10 patches over that time, and none of them made it into styled-jsx until 5 hours ago. (And they're still not in Next.js.) On balance, wouldn't it make more sense to use <code class="notranslate">^</code>?</p> | 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/callemall/material-ui/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h2 dir="auto">Expected Behavior</h2>
<p dir="auto">Compiles without errors.</p>
<h2 dir="auto">Current Behavior</h2>
<p dir="auto">Compiles with the following errors:</p>
<blockquote>
<p dir="auto">ERROR in /Users/radu/code/notes-react/node_modules/@types/material-ui/index.d.ts<br>
(18,23): error TS2688: Cannot find type definition file for 'react-addons-linked-state-mixin'.<br>
webpack: Failed to compile.</p>
</blockquote>
<h2 dir="auto">Steps to Reproduce (for bugs)</h2>
<ol dir="auto">
<li><code class="notranslate">npm install --save [email protected], [email protected], @types/[email protected]</code></li>
<li>Build</li>
</ol>
<h2 dir="auto">Context</h2>
<p dir="auto">I've also tried with different material-ui versions like 0.17/0.18/0.19, but I get the same error.</p>
<p dir="auto">The same project works fine with <code class="notranslate">[email protected]</code>, but fails with <code class="notranslate">[email protected]</code>.</p>
<h2 dir="auto">Your Environment</h2>
<table role="table">
<thead>
<tr>
<th>Tech</th>
<th>Version</th>
</tr>
</thead>
<tbody>
<tr>
<td>Material-UI</td>
<td>0.17.4</td>
</tr>
<tr>
<td>React</td>
<td>15.6.5</td>
</tr>
<tr>
<td>TypeScript</td>
<td>2.5.3</td>
</tr>
<tr>
<td>@ types/material-ui</td>
<td>0.17.23</td>
</tr>
</tbody>
</table> | <p dir="auto"><strong>material-ui 1.0.0-beta.25</strong></p>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/mui-org/material-ui/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<hr>
<p dir="auto">Problem could be with button style:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="disabled: {
color: theme.palette.action.disabled,
}"><pre class="notranslate"><code class="notranslate">disabled: {
color: theme.palette.action.disabled,
}
</code></pre></div>
<p dir="auto">in Button/Button.js, where <code class="notranslate">theme.palette.action.disabled</code> is defined as</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="disabled: 'rgba(255, 255, 255, 0.3)'"><pre class="notranslate"><code class="notranslate">disabled: 'rgba(255, 255, 255, 0.3)'
</code></pre></div>
<p dir="auto">in styles/createPalette.js.</p>
<p dir="auto">Changing action.disabled to e.g. <code class="notranslate">disabled: 'gray'</code> works well.</p> | 0 |
<p dir="auto">This was originally reported as a question on stackoverflow: <a href="http://stackoverflow.com/questions/32707467/reading-png-does-not-give-expected-result" rel="nofollow">http://stackoverflow.com/questions/32707467/reading-png-does-not-give-expected-result</a><br>
The stackoverflow question has a link to a dropbox site that contains the file <code class="notranslate">W0002_0004.png</code> that triggers a seg. fault when it is read using <code class="notranslate">scipy.misc.imread</code>.</p>
<p dir="auto">I get the seg. fault in both of these setups:</p>
<ul dir="auto">
<li>python 2.7.10, numpy 1.9.2, scipy <code class="notranslate">'0.17.0.dev0+81c0960'</code>, PIL.PILLOW_VERSION 2.5.3</li>
<li>pyhton 3.4.3, numpy 1.9.2, scipy 0.16.0, PIL.PILLOW_VERSION 2.9.0</li>
</ul>
<p dir="auto">The program <code class="notranslate">pngcheck</code> does not report any errors in the file:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ pngcheck -vt W0002_0004.png
File: W0002_0004.png (3721 bytes)
chunk IHDR at offset 0x0000c, length 13
4968 x 527 image, 1-bit grayscale, non-interlaced
chunk tIME at offset 0x00025, length 7: 8 Feb 2015 15:18:29 UTC
chunk IDAT at offset 0x00038, length 3645
zlib: deflated, 32K window, default compression
chunk IEND at offset 0x00e81, length 0
No errors detected in W0002_0004.png (4 chunks, 98.9% compression)."><pre class="notranslate"><code class="notranslate">$ pngcheck -vt W0002_0004.png
File: W0002_0004.png (3721 bytes)
chunk IHDR at offset 0x0000c, length 13
4968 x 527 image, 1-bit grayscale, non-interlaced
chunk tIME at offset 0x00025, length 7: 8 Feb 2015 15:18:29 UTC
chunk IDAT at offset 0x00038, length 3645
zlib: deflated, 32K window, default compression
chunk IEND at offset 0x00e81, length 0
No errors detected in W0002_0004.png (4 chunks, 98.9% compression).
</code></pre></div>
<p dir="auto"><code class="notranslate">imread</code> calls <code class="notranslate">fromimage</code>, and the seg. fault occurs when <code class="notranslate">fromimage</code> calls <code class="notranslate">array(im)</code>. Here's the sequence of calls equivalent to calling <code class="notranslate">imread('W0002_0004.png')</code>:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [1]: import numpy as np
In [2]: from PIL import Image"><pre class="notranslate"><code class="notranslate">In [1]: import numpy as np
In [2]: from PIL import Image
</code></pre></div>
<p dir="auto"><code class="notranslate">imread</code> uses <code class="notranslate">Image.open</code> to read the file. It then passes <code class="notranslate">im</code> to <code class="notranslate">fromimage</code>.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [3]: im = Image.open('W0002_0004.png')"><pre class="notranslate"><code class="notranslate">In [3]: im = Image.open('W0002_0004.png')
</code></pre></div>
<p dir="auto">If <code class="notranslate">im.mode</code> is <code class="notranslate">'1'</code>, <code class="notranslate">fromimage</code> does <code class="notranslate">im.convert('L')</code>:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [4]: im.mode
Out[4]: '1'
In [5]: im.convert('L')
Out[5]: <PIL.Image.Image image mode=L size=4968x527 at 0x10431E710>"><pre class="notranslate"><code class="notranslate">In [4]: im.mode
Out[4]: '1'
In [5]: im.convert('L')
Out[5]: <PIL.Image.Image image mode=L size=4968x527 at 0x10431E710>
</code></pre></div>
<p dir="auto">Then <code class="notranslate">fromimage</code> returns <code class="notranslate">array(im)</code>. This is where the seg. fault occurs.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [6]: result = np.array(im)
/Users/warren/anaconda/bin/python.app: line 3: 41981 Segmentation fault: 11 /Users/warren/anaconda/python.app/Contents/MacOS/python "$@""><pre class="notranslate"><code class="notranslate">In [6]: result = np.array(im)
/Users/warren/anaconda/bin/python.app: line 3: 41981 Segmentation fault: 11 /Users/warren/anaconda/python.app/Contents/MacOS/python "$@"
</code></pre></div> | <p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/scipy/ticket/1613" rel="nofollow">http://projects.scipy.org/scipy/ticket/1613</a> on 2012-02-29 by trac user wiredfool, assigned to unknown.</em></p>
<p dir="auto">This is similar to bug 1205, closed as invalid.</p>
<p dir="auto">When trying to open a 1 bit png, I get segfaults.</p>
<p dir="auto">Python 2.6.5 (r265:79063, Apr 16 2010, 13:09:56)<br>
[GCC 4.4.3] on linux2<br>
Type "help", "copyright", "credits" or "license" for more information.</p>
<blockquote>
<blockquote>
<blockquote>
<p dir="auto">import scipy, numpy<br>
f = scipy.misc.imread('test/horiz_stripe_front.png')<br>
Segmentation fault</p>
</blockquote>
</blockquote>
</blockquote>
<p dir="auto">Opening through PIL, converting to L or RGB, then doing asarray succeeds:</p>
<p dir="auto">Python 2.6.5 (r265:79063, Apr 16 2010, 13:09:56)<br>
[GCC 4.4.3] on linux2<br>
Type "help", "copyright", "credits" or "license" for more information.</p>
<blockquote>
<blockquote>
<blockquote>
<p dir="auto">import Image<br>
import scipy, numpy<br>
f = Image.open('test/horiz_stripe_front.png')</p>
<p dir="auto">print f.mode<br>
1<br>
front = f.convert("L")<br>
arr = numpy.asarray(front)<br>
type(arr)<br>
<type 'numpy.ndarray'></p>
</blockquote>
</blockquote>
</blockquote>
<p dir="auto">I've tested in 0.8 (ubuntu oneiric), but I've checked the code and nothing has changed here in head. This is PIL 1.1.7</p> | 1 |
<p dir="auto">Windows 7: New Atom windows start in a windowed state, rather than being maximized, even when they were maximized before last being closed. The corners of <a href="http://i.gyazo.com/8edf6a59013cca24fd5b5210851fc1c6.png" rel="nofollow">this image</a> are the corners of my screen.</p> | <p dir="auto">When I launch the editor, the process seems to be running (shown in Task manager and Taskbar) but no window is shown at all.</p> | 1 |
<pre class="notranslate">On Linux,
$ GOOS=windows GOARCH=386 ./make.bash
...
/home/bradfitz/go/src/libmach/windows.c:49: error: conflicting types for 'pread'
/usr/include/bits/unistd.h:88: note: previous definition of 'pread' was here
/home/bradfitz/go/src/libmach/windows.c:56: error: conflicting types for 'pwrite'
/usr/include/unistd.h:388: note: previous declaration of 'pwrite' was here
go tool dist: FAILED: gcc -Wall -Wno-sign-compare -Wno-missing-braces -Wno-parentheses
-Wno-unknown-pragmas -Wno-switch -Wno-comment -Werror -fno-common -ggdb -O2 -c -m64 -I
/home/bradfitz/go/include -I /home/bradfitz/go/src/libmach -o $WORK/windows.o
/home/bradfitz/go/src/libmach/windows.c</pre> | <pre class="notranslate">This was brought up by jgr on IRC. I can't come up with an explanation for this
behavior. Apologies if there's a mistake in the code.
This code: <a href="http://play.golang.org/p/U4elciYqmL" rel="nofollow">http://play.golang.org/p/U4elciYqmL</a>
triggers the deadlock detector on playground, hangs on Linux (go tip 5439c77d4acb).
Exporting "msg" as "Msg" makes it work. `type Reply struct{}` makes
it work.
I don't see how different message contents would trigger deadlock/hang. I expected to
just see a "main.Reply{}" output for the non-exported case.</pre> | 0 |
<p dir="auto">I stumbled upon this issue by accident, as I noticed that using a symbol that has been imported in multiple glob statements does not result in an error:</p>
<div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="mod foo {
pub fn p() { println("foo"); }
}
mod bar {
pub fn p() { println("bar"); }
}
mod baz {
use foo::*;
use bar::*;
#[main]
fn my_main() {
p();
}
}"><pre class="notranslate"><span class="pl-k">mod</span> foo <span class="pl-kos">{</span>
<span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">p</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-en">println</span><span class="pl-kos">(</span><span class="pl-s">"foo"</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span>
<span class="pl-kos">}</span>
<span class="pl-k">mod</span> bar <span class="pl-kos">{</span>
<span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">p</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-en">println</span><span class="pl-kos">(</span><span class="pl-s">"bar"</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">mod</span> baz <span class="pl-kos">{</span>
<span class="pl-k">use</span> foo<span class="pl-kos">::</span><span class="pl-c1">*</span><span class="pl-kos">;</span>
<span class="pl-k">use</span> bar<span class="pl-kos">::</span><span class="pl-c1">*</span><span class="pl-kos">;</span>
<span class="pl-c1">#<span class="pl-kos">[</span>main<span class="pl-kos">]</span></span>
<span class="pl-k">fn</span> <span class="pl-en">my_main</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-en">p</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">A simple oversight, I thought, and dove into resolve to fix the bug. Then I noticed that not even single imports are checked for conflicts:</p>
<div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="mod foo {
pub fn p() { println("foo"); }
}
mod bar {
pub fn p() { println("bar"); }
}
mod baz {
use foo::p;
use bar::p;
#[main]
fn my_main() {
p();
}
}"><pre class="notranslate"><span class="pl-k">mod</span> foo <span class="pl-kos">{</span>
<span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">p</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-en">println</span><span class="pl-kos">(</span><span class="pl-s">"foo"</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span>
<span class="pl-kos">}</span>
<span class="pl-k">mod</span> bar <span class="pl-kos">{</span>
<span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">p</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-en">println</span><span class="pl-kos">(</span><span class="pl-s">"bar"</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">mod</span> baz <span class="pl-kos">{</span>
<span class="pl-k">use</span> foo<span class="pl-kos">::</span>p<span class="pl-kos">;</span>
<span class="pl-k">use</span> bar<span class="pl-kos">::</span>p<span class="pl-kos">;</span>
<span class="pl-c1">#<span class="pl-kos">[</span>main<span class="pl-kos">]</span></span>
<span class="pl-k">fn</span> <span class="pl-en">my_main</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-en">p</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-kos">}</span></pre></div>
<p dir="auto">I assumed that the reason for this was that currently both glob and single imports are flattened into a hashmap per module and tried to introduce a 2-level import scheme that allows duplicates only in glob imports but not in single imports.</p>
<p dir="auto">And then I noticed that it's possible to export glob imports from a crate, making that scheme impossible. Even worse: this makes the global API of a crate dependent on the vigilance of the developer to not export multiple symbols with the same name, as a simple rearranging of use statements in the source code could break existing users of the crate.</p>
<p dir="auto">So, there are four possible ways to go about this problem:</p>
<ol dir="auto">
<li>
<p dir="auto">Don't change anything. I.e. don't check for duplicate imported symbols, neither single imports nor glob imports. (Maybe add a lint, but that would probably have to be turned of in many cases, e.g. <code class="notranslate">libstd</code> is full of duplicate glob imports).</p>
</li>
<li>
<p dir="auto">Disallow duplicate imports, even when glob importing. This is IMO not workable.</p>
</li>
<li>
<p dir="auto">Disallow exporting glob imports from crates, making the aforementioned 2-level duplicate checking possible (i.e. disallow duplicate single imports, disallow used duplicate glob imports, allow unused duplicate glob imports).</p>
</li>
<li>
<p dir="auto">A variant on 3): allow exporting glob imports, implement the 2-level scheme for imports that are not visible from outside the crate, but disallow any duplicate imports otherwise.</p>
</li>
<li>
<p dir="auto">or 4) would be my preferred solution, but would incur a lot of work, both in implementing the scheme and restructuring existing code. 1) is the most realistic solution, but I personally don't really like it, as Rust is all about safety after all.</p>
</li>
</ol>
<p dir="auto">Fun example at the end:</p>
<div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="mod foo {
pub fn p() { println("foo"); }
}
mod bar {
pub fn p() { println("bar"); }
}
mod baz {
use bar::p;
use foo::*;
#[main]
fn my_main() {
p();
}
}"><pre class="notranslate"><span class="pl-k">mod</span> foo <span class="pl-kos">{</span>
<span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">p</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-en">println</span><span class="pl-kos">(</span><span class="pl-s">"foo"</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-kos">}</span>
<span class="pl-kos">}</span>
<span class="pl-k">mod</span> bar <span class="pl-kos">{</span>
<span class="pl-k">pub</span> <span class="pl-k">fn</span> <span class="pl-en">p</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span> <span class="pl-en">println</span><span class="pl-kos">(</span><span class="pl-s">"bar"</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">mod</span> baz <span class="pl-kos">{</span>
<span class="pl-k">use</span> bar<span class="pl-kos">::</span>p<span class="pl-kos">;</span>
<span class="pl-k">use</span> foo<span class="pl-kos">::</span><span class="pl-c1">*</span><span class="pl-kos">;</span>
<span class="pl-c1">#<span class="pl-kos">[</span>main<span class="pl-kos">]</span></span>
<span class="pl-k">fn</span> <span class="pl-en">my_main</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-en">p</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">Here, the <code class="notranslate">use foo::*;</code> is marked as being unused, even though when running the program, <code class="notranslate">foo::foo()</code> is actually the implementation of <code class="notranslate">foo()</code> that is used.</p> | <p dir="auto">I got an internal compiler error when <code class="notranslate">cargo test</code>ing my code, and I was unfortunately unable to reproduce on a small sample. The code is <a href="https://github.com/honzasp/spiral/tree/bf84c70e067a19c9da20cf1c088f304dd159e8df">here on Github</a>, to reproduce the error, change the literal on <a href="https://github.com/honzasp/spiral/blob/bf84c70e067a19c9da20cf1c088f304dd159e8df/src/spiral/to_spine.rs#L642">one line in test</a> from <code class="notranslate">42.0</code> to <code class="notranslate">42</code>.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ rustc --version --verbose
rustc 1.0.0-nightly (522d09dfe 2015-02-19) (built 2015-02-21)
binary: rustc
commit-hash: 522d09dfecbeca1595f25ac58c6d0178bbd21d7d
commit-date: 2015-02-19
build-date: 2015-02-21
host: i686-unknown-linux-gnu
release: 1.0.0-nightly
$ RUST_BACKTRACE=1 cargo test --verbose
Compiling spiral v0.0.1 (file:///[...]/spiral)
Running `rustc src/main.rs --crate-name spiral --crate-type bin -g --test -C metadata=1ade813d3d860ac1 -C extra-filename=-1ade813d3d860ac1 --out-dir [...]/spiral/target --emit=dep-info,link -L dependency=[...]/spiral/target -L dependency=[...]/spiral/target/deps`
error: internal compiler error: Impl DefId { krate: 2, node: 74181 } was matchable against Obligation(predicate=Binder(TraitPredicate(core::cmp::PartialEq<_>)),depth=1) but now is not
note: the compiler unexpectedly panicked. this is a bug.
note: we would appreciate a bug report: https://github.com/rust-lang/rust/blob/master/CONTRIBUTING.md#bug-reports
note: run with `RUST_BACKTRACE=1` for a backtrace
thread 'rustc' panicked at 'Box<Any>', /home/rustbuild/src/rust-buildbot/slave/nightly-dist-rustc-linux/build/src/libsyntax/diagnostic.rs:189
stack backtrace:
1: 0xb7231280 - sys::backtrace::write::hb58c665617e5cee2KlC
2: 0xb725b8b0 - panicking::on_panic::hd4d4fc652390cdd8tXL
3: 0xb7195ac0 - rt::unwind::begin_unwind_inner::h6797c7a781aac698RBL
4: 0xb5656fd0 - rt::unwind::begin_unwind::h13117811778590822301
5: 0xb5657800 - diagnostic::Handler::bug::h0b9167776bd8dc1aw4E
6: 0xb61b5310 - middle::traits::select::SelectionContext<'cx, 'tcx>::rematch_impl::h7f3f2e654c4ffad9kHU
7: 0xb61b4c30 - middle::infer::InferCtxt<'a, 'tcx>::try::h13523729267676866609
8: 0xb619dd90 - middle::traits::select::SelectionContext<'cx, 'tcx>::confirm_candidate::ha4efb7af28b19263S8T
9: 0xb61784f0 - middle::traits::select::SelectionContext<'cx, 'tcx>::select::h5394e35b0e7c70a6lhS
10: 0xb6174160 - middle::traits::fulfill::FulfillmentContext<'tcx>::select::hbef8233dc9336219B0P
11: 0xb6173ac0 - middle::traits::fulfill::FulfillmentContext<'tcx>::select_where_possible::hbd71b9b88c61613cHZP
12: 0xb6cdddc0 - check::vtable::select_fcx_obligations_where_possible::hffd3ec74dffa624eVRb
13: 0xb6d1a6f0 - check::FnCtxt<'a, 'tcx>::resolve_type_vars_if_possible::he1da80c3c9c1dda2rJo
14: 0xb6cca360 - check::structurally_resolved_type::hb6535b94e7bbe37bNPt
15: 0xb6e00220 - check::check_expr_with_unifier::h9614455191220309796
16: 0xb6dbad90 - check::check_expr_with_unifier::check_binop::hbf8de0ab08b2ba09JMq
17: 0xb6df3370 - check::check_expr_with_unifier::h6092115828992963581
18: 0xb6dd9240 - check::check_expr_with_unifier::h3884107362083173097
19: 0xb6dbad90 - check::check_expr_with_unifier::check_binop::hbf8de0ab08b2ba09JMq
20: 0xb6df3370 - check::check_expr_with_unifier::h6092115828992963581
21: 0xb6df3370 - check::check_expr_with_unifier::h6092115828992963581
22: 0xb6dd9240 - check::check_expr_with_unifier::h3884107362083173097
23: 0xb6dd0200 - check::check_expr_with_unifier::check_then_else::h483da0d6a4f3eab2MEq
24: 0xb6decc20 - check::check_expr_with_unifier::h17365000147061483630
25: 0xb6da6d80 - check::check_block_with_expected::hf29cd5d4f1823991zys
26: 0xb6decc20 - check::check_expr_with_unifier::h17365000147061483630
27: 0xb6ccafe0 - check::_match::check_match::closure.29042
28: 0xb6ccac10 - check::_match::check_match::h77807f1365a779d3V1a
29: 0xb6decc20 - check::check_expr_with_unifier::h17365000147061483630
30: 0xb6da6d80 - check::check_block_with_expected::hf29cd5d4f1823991zys
31: 0xb6df9ad0 - check::check_expr_with_unifier::h14838318111108599859
32: 0xb6da6d80 - check::check_block_with_expected::hf29cd5d4f1823991zys
33: 0xb6d85a80 - check::check_fn::h9733b23b5bb31869JKn
34: 0xb6da3700 - check::check_bare_fn::hc0a904b0aabec0a4Wzn
35: 0xb6d9aa00 - check::check_item::heaa17bb09891b8a9nTn
36: 0xb6da19f0 - visit::walk_item::h334270929839752142
37: 0xb6da19f0 - visit::walk_item::h334270929839752142
38: 0xb6da19f0 - visit::walk_item::h334270929839752142
39: 0xb6e7f750 - check_crate::closure.35867
40: 0xb6e78b60 - check_crate::h74f1efb9c9ad0cecVjC
41: 0xb769c480 - driver::phase_3_run_analysis_passes::ha81485be033381d8gHa
42: 0xb7680c20 - driver::compile_input::h55e2c5089100dcc0Gba
43: 0xb7760430 - run_compiler::h7c1df0ae32ef6a57Zbc
44: 0xb775e810 - thunk::F.Invoke<A, R>::invoke::h4956589150906656218
45: 0xb775d680 - rt::unwind::try::try_fn::h3108213307196454525
46: 0xb72d5b30 - rust_try_inner
47: 0xb72d5b00 - rust_try
48: 0xb775d9b0 - thunk::F.Invoke<A, R>::invoke::h9387302087009601825
49: 0xb72474c0 - sys::thread::thread_start::hb380b1da46a95e5393G
50: 0xb2f29ea0 - start_thread
51: 0xb7049502 - clone
52: 0x0 - <unknown>
Could not compile `spiral`.
Caused by:
Process didn't exit successfully: `rustc src/main.rs --crate-name spiral --crate-type bin -g --test -C metadata=1ade813d3d860ac1 -C extra-filename=-1ade813d3d860ac1 --out-dir [...]/spiral/target --emit=dep-info,link -L dependency=[...]/spiral/target -L dependency=[...]/spiral/target/deps` (status=101)"><pre class="notranslate"><code class="notranslate">$ rustc --version --verbose
rustc 1.0.0-nightly (522d09dfe 2015-02-19) (built 2015-02-21)
binary: rustc
commit-hash: 522d09dfecbeca1595f25ac58c6d0178bbd21d7d
commit-date: 2015-02-19
build-date: 2015-02-21
host: i686-unknown-linux-gnu
release: 1.0.0-nightly
$ RUST_BACKTRACE=1 cargo test --verbose
Compiling spiral v0.0.1 (file:///[...]/spiral)
Running `rustc src/main.rs --crate-name spiral --crate-type bin -g --test -C metadata=1ade813d3d860ac1 -C extra-filename=-1ade813d3d860ac1 --out-dir [...]/spiral/target --emit=dep-info,link -L dependency=[...]/spiral/target -L dependency=[...]/spiral/target/deps`
error: internal compiler error: Impl DefId { krate: 2, node: 74181 } was matchable against Obligation(predicate=Binder(TraitPredicate(core::cmp::PartialEq<_>)),depth=1) but now is not
note: the compiler unexpectedly panicked. this is a bug.
note: we would appreciate a bug report: https://github.com/rust-lang/rust/blob/master/CONTRIBUTING.md#bug-reports
note: run with `RUST_BACKTRACE=1` for a backtrace
thread 'rustc' panicked at 'Box<Any>', /home/rustbuild/src/rust-buildbot/slave/nightly-dist-rustc-linux/build/src/libsyntax/diagnostic.rs:189
stack backtrace:
1: 0xb7231280 - sys::backtrace::write::hb58c665617e5cee2KlC
2: 0xb725b8b0 - panicking::on_panic::hd4d4fc652390cdd8tXL
3: 0xb7195ac0 - rt::unwind::begin_unwind_inner::h6797c7a781aac698RBL
4: 0xb5656fd0 - rt::unwind::begin_unwind::h13117811778590822301
5: 0xb5657800 - diagnostic::Handler::bug::h0b9167776bd8dc1aw4E
6: 0xb61b5310 - middle::traits::select::SelectionContext<'cx, 'tcx>::rematch_impl::h7f3f2e654c4ffad9kHU
7: 0xb61b4c30 - middle::infer::InferCtxt<'a, 'tcx>::try::h13523729267676866609
8: 0xb619dd90 - middle::traits::select::SelectionContext<'cx, 'tcx>::confirm_candidate::ha4efb7af28b19263S8T
9: 0xb61784f0 - middle::traits::select::SelectionContext<'cx, 'tcx>::select::h5394e35b0e7c70a6lhS
10: 0xb6174160 - middle::traits::fulfill::FulfillmentContext<'tcx>::select::hbef8233dc9336219B0P
11: 0xb6173ac0 - middle::traits::fulfill::FulfillmentContext<'tcx>::select_where_possible::hbd71b9b88c61613cHZP
12: 0xb6cdddc0 - check::vtable::select_fcx_obligations_where_possible::hffd3ec74dffa624eVRb
13: 0xb6d1a6f0 - check::FnCtxt<'a, 'tcx>::resolve_type_vars_if_possible::he1da80c3c9c1dda2rJo
14: 0xb6cca360 - check::structurally_resolved_type::hb6535b94e7bbe37bNPt
15: 0xb6e00220 - check::check_expr_with_unifier::h9614455191220309796
16: 0xb6dbad90 - check::check_expr_with_unifier::check_binop::hbf8de0ab08b2ba09JMq
17: 0xb6df3370 - check::check_expr_with_unifier::h6092115828992963581
18: 0xb6dd9240 - check::check_expr_with_unifier::h3884107362083173097
19: 0xb6dbad90 - check::check_expr_with_unifier::check_binop::hbf8de0ab08b2ba09JMq
20: 0xb6df3370 - check::check_expr_with_unifier::h6092115828992963581
21: 0xb6df3370 - check::check_expr_with_unifier::h6092115828992963581
22: 0xb6dd9240 - check::check_expr_with_unifier::h3884107362083173097
23: 0xb6dd0200 - check::check_expr_with_unifier::check_then_else::h483da0d6a4f3eab2MEq
24: 0xb6decc20 - check::check_expr_with_unifier::h17365000147061483630
25: 0xb6da6d80 - check::check_block_with_expected::hf29cd5d4f1823991zys
26: 0xb6decc20 - check::check_expr_with_unifier::h17365000147061483630
27: 0xb6ccafe0 - check::_match::check_match::closure.29042
28: 0xb6ccac10 - check::_match::check_match::h77807f1365a779d3V1a
29: 0xb6decc20 - check::check_expr_with_unifier::h17365000147061483630
30: 0xb6da6d80 - check::check_block_with_expected::hf29cd5d4f1823991zys
31: 0xb6df9ad0 - check::check_expr_with_unifier::h14838318111108599859
32: 0xb6da6d80 - check::check_block_with_expected::hf29cd5d4f1823991zys
33: 0xb6d85a80 - check::check_fn::h9733b23b5bb31869JKn
34: 0xb6da3700 - check::check_bare_fn::hc0a904b0aabec0a4Wzn
35: 0xb6d9aa00 - check::check_item::heaa17bb09891b8a9nTn
36: 0xb6da19f0 - visit::walk_item::h334270929839752142
37: 0xb6da19f0 - visit::walk_item::h334270929839752142
38: 0xb6da19f0 - visit::walk_item::h334270929839752142
39: 0xb6e7f750 - check_crate::closure.35867
40: 0xb6e78b60 - check_crate::h74f1efb9c9ad0cecVjC
41: 0xb769c480 - driver::phase_3_run_analysis_passes::ha81485be033381d8gHa
42: 0xb7680c20 - driver::compile_input::h55e2c5089100dcc0Gba
43: 0xb7760430 - run_compiler::h7c1df0ae32ef6a57Zbc
44: 0xb775e810 - thunk::F.Invoke<A, R>::invoke::h4956589150906656218
45: 0xb775d680 - rt::unwind::try::try_fn::h3108213307196454525
46: 0xb72d5b30 - rust_try_inner
47: 0xb72d5b00 - rust_try
48: 0xb775d9b0 - thunk::F.Invoke<A, R>::invoke::h9387302087009601825
49: 0xb72474c0 - sys::thread::thread_start::hb380b1da46a95e5393G
50: 0xb2f29ea0 - start_thread
51: 0xb7049502 - clone
52: 0x0 - <unknown>
Could not compile `spiral`.
Caused by:
Process didn't exit successfully: `rustc src/main.rs --crate-name spiral --crate-type bin -g --test -C metadata=1ade813d3d860ac1 -C extra-filename=-1ade813d3d860ac1 --out-dir [...]/spiral/target --emit=dep-info,link -L dependency=[...]/spiral/target -L dependency=[...]/spiral/target/deps` (status=101)
</code></pre></div>
<p dir="auto">I am sorry for such a crude report, but I could not come with a better sample, as the origin of the error is a bit unclear to me.</p> | 0 |
<p dir="auto">I have this data frame.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" 728 562 599 642 592 686 602 744 640 678"><pre class="notranslate"><code class="notranslate"> 728 562 599 642 592 686 602 744 640 678
</code></pre></div>
<p dir="auto">309 96 29 99 63 73 48 81 48 13 25<br>
337 40 25 41 47 14 33 54 63 33 45<br>
395 64 95 63 90 52 82 66 26 26 20<br>
264 38 56 73 17 98 56 80 77 44 49</p>
<p dir="auto">I want to sort it horizontally based on row index 264<br>
I tried:<br>
df.sort_values(by=264, axis=1)</p>
<p dir="auto">I gives me: ValueError: When sorting by column, axis must be 0 (rows)</p>
<p dir="auto">What is the usecase with axis=1</p> | <p dir="auto">xref <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="98622048" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/10726" data-hovercard-type="pull_request" data-hovercard-url="/pandas-dev/pandas/pull/10726/hovercard" href="https://github.com/pandas-dev/pandas/pull/10726">#10726</a></p>
<p dir="auto">This is possible, just not implemented</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [3]: df = DataFrame(np.arange(16).reshape(4, 4), index=[1, 2, 3, 4], columns=['A', 'B', 'C', 'D'])
In [4]: df
Out[4]:
A B C D
1 0 1 2 3
2 4 5 6 7
3 8 9 10 11
4 12 13 14 15
In [5]: df.sort_values(by=1,axis=1)
ValueError: When sorting by column, axis must be 0 (rows)"><pre class="notranslate"><code class="notranslate">In [3]: df = DataFrame(np.arange(16).reshape(4, 4), index=[1, 2, 3, 4], columns=['A', 'B', 'C', 'D'])
In [4]: df
Out[4]:
A B C D
1 0 1 2 3
2 4 5 6 7
3 8 9 10 11
4 12 13 14 15
In [5]: df.sort_values(by=1,axis=1)
ValueError: When sorting by column, axis must be 0 (rows)
</code></pre></div> | 1 |
<h3 dir="auto">Apache Airflow version</h3>
<p dir="auto">Other Airflow 2 version (please specify below)</p>
<h3 dir="auto">What happened</h3>
<p dir="auto">Hello ,</p>
<p dir="auto">We were trying to execute airflow CLI commands for "airflow tasks" in MWAA. While testing these commands , we observed that below "airflow tasks" cli command are parsing parsing all DAGs file then execute provided airflow tasks command.</p>
<p dir="auto"><strong>Commands</strong> :<br>
airflow tasks clear<br>
airflow tasks failed-deps<br>
airflow tasks run<br>
airflow tasks test</p>
<h3 dir="auto">What you think should happen instead</h3>
<p dir="auto">We are expecting that when to execute "airflow tasks" cli command, it should only parse DAG name and task name provided in the command and not parse DAG lists followed by task list.</p>
<h3 dir="auto">How to reproduce</h3>
<ol dir="auto">
<li>We created web logic token to access web server</li>
<li>After that, we used python script to run "airflow tasks" cli commands.</li>
</ol>
<h3 dir="auto">Operating System</h3>
<p dir="auto">Amazon Linux</p>
<h3 dir="auto">Versions of Apache Airflow Providers</h3>
<p dir="auto">Airflow version 2.2.2</p>
<h3 dir="auto">Deployment</h3>
<p dir="auto">Amazon (AWS) MWAA</p>
<h3 dir="auto">Deployment details</h3>
<p dir="auto"><em>No response</em></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"> 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> | <p dir="auto">Dear Airflow Maintainers,</p>
<p dir="auto">Before I tell you about my issue, let me describe my environment:</p>
<h1 dir="auto">Environment</h1>
<p dir="auto">Centos 6<br>
CeleryExecutor (redis)<br>
Two workers, 1 scheduler, 1 webserver<br>
MySql</p>
<ul dir="auto">
<li>Version of Airflow 1.6.2.10, 1.7.0rc1, HEAD</li>
<li>Example code to reproduce the bug (as a code snippet in markdown)</li>
</ul>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="from datetime import datetime, timedelta
from airflow.models import DAG
from airflow.operators import BashOperator, SubDagOperator
dag_name = 'test_18'
test_pool = 'test_pool'
email_to = '[email protected]'
now = datetime.now()
start_time = datetime(now.year, now.month, now.day, 12, 0, 0)
start_time = start_time + timedelta(days=-1)
default_args = {
'owner': 'Test',
'depends_on_past': True,
'start_date': start_time,
'email': [email_to],
'email_on_failure': True,
'email_on_retry': True,
'wait_for_downstream': False,
}
# Create the dag object
dag = DAG(dag_name,
default_args=default_args,
schedule_interval='0 * * * *')
def get_subdag(dag, sd_id, pool=None):
subdag = DAG(
dag_id='{parent_dag}.{sd_id}'.format(
parent_dag=dag.dag_id,
sd_id=sd_id),
params=dag.params,
default_args=dag.default_args,
template_searchpath=dag.template_searchpath,
user_defined_macros=dag.user_defined_macros,
)
t1 = BashOperator(
task_id='test_task',
bash_command='echo "hello" && sleep 10',
dag=subdag,
pool=pool
)
t2 = BashOperator(
task_id='test_task_2_with_exit_1',
bash_command='echo "hello" && sleep 10 && exit 1',
dag=subdag,
pool=pool
)
t2.set_upstream(t1)
sdo = SubDagOperator(
task_id=sd_id,
subdag=subdag,
retries=2,
retry_delay=timedelta(seconds=30),
dag=dag,
depends_on_past=True,
)
return sdo
sd1 = get_subdag(dag, sd_id='test_subdag')
sd2 = get_subdag(dag, sd_id='test_subdag_with_pool', pool=test_pool)"><pre class="notranslate"><code class="notranslate">from datetime import datetime, timedelta
from airflow.models import DAG
from airflow.operators import BashOperator, SubDagOperator
dag_name = 'test_18'
test_pool = 'test_pool'
email_to = '[email protected]'
now = datetime.now()
start_time = datetime(now.year, now.month, now.day, 12, 0, 0)
start_time = start_time + timedelta(days=-1)
default_args = {
'owner': 'Test',
'depends_on_past': True,
'start_date': start_time,
'email': [email_to],
'email_on_failure': True,
'email_on_retry': True,
'wait_for_downstream': False,
}
# Create the dag object
dag = DAG(dag_name,
default_args=default_args,
schedule_interval='0 * * * *')
def get_subdag(dag, sd_id, pool=None):
subdag = DAG(
dag_id='{parent_dag}.{sd_id}'.format(
parent_dag=dag.dag_id,
sd_id=sd_id),
params=dag.params,
default_args=dag.default_args,
template_searchpath=dag.template_searchpath,
user_defined_macros=dag.user_defined_macros,
)
t1 = BashOperator(
task_id='test_task',
bash_command='echo "hello" && sleep 10',
dag=subdag,
pool=pool
)
t2 = BashOperator(
task_id='test_task_2_with_exit_1',
bash_command='echo "hello" && sleep 10 && exit 1',
dag=subdag,
pool=pool
)
t2.set_upstream(t1)
sdo = SubDagOperator(
task_id=sd_id,
subdag=subdag,
retries=2,
retry_delay=timedelta(seconds=30),
dag=dag,
depends_on_past=True,
)
return sdo
sd1 = get_subdag(dag, sd_id='test_subdag')
sd2 = get_subdag(dag, sd_id='test_subdag_with_pool', pool=test_pool)
</code></pre></div>
<ul dir="auto">
<li>Screen shots of your DAG's graph and tree views:</li>
</ul>
<ol dir="auto">
<li>sub-task of non pooled subdag fails<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/335167/14066258/b40e237c-f3f9-11e5-83e4-416931a92d92.png"><img width="1440" alt="af_issue_1" src="https://cloud.githubusercontent.com/assets/335167/14066258/b40e237c-f3f9-11e5-83e4-416931a92d92.png" style="max-width: 100%;"></a></li>
<li>subdag enters retry state<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/335167/14066262/c062e8b0-f3f9-11e5-80c9-ef1b09c27c31.png"><img width="1440" alt="af_issue_2" src="https://cloud.githubusercontent.com/assets/335167/14066262/c062e8b0-f3f9-11e5-80c9-ef1b09c27c31.png" style="max-width: 100%;"></a></li>
<li>after all retries exhausted non pooled subdag fails<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/335167/14066269/e1142484-f3f9-11e5-8355-454e0f892f7e.png"><img width="1440" alt="af_issue_6" src="https://cloud.githubusercontent.com/assets/335167/14066269/e1142484-f3f9-11e5-8355-454e0f892f7e.png" style="max-width: 100%;"></a></li>
<li>sub-task of pooled subdag fails<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/335167/14066263/d0251c8c-f3f9-11e5-9a32-7c92aeb50ced.png"><img width="1440" alt="af_issue_3" src="https://cloud.githubusercontent.com/assets/335167/14066263/d0251c8c-f3f9-11e5-9a32-7c92aeb50ced.png" style="max-width: 100%;"></a></li>
<li>pooled subdag remains in running state, sub-task of pooled subdag enters queued state<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/335167/14066264/d5d88218-f3f9-11e5-9772-e16a9f71bac4.png"><img width="1440" alt="af_issue_4" src="https://cloud.githubusercontent.com/assets/335167/14066264/d5d88218-f3f9-11e5-9772-e16a9f71bac4.png" style="max-width: 100%;"></a></li>
<li>sub-task of pooled subdag enters running state<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/335167/14066268/dbaa3b5a-f3f9-11e5-833a-df17e17235cd.png"><img width="1440" alt="af_issue_5" src="https://cloud.githubusercontent.com/assets/335167/14066268/dbaa3b5a-f3f9-11e5-833a-df17e17235cd.png" style="max-width: 100%;"></a></li>
<li>sub-task failures of pooled subdags generate email alerts for all failures<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/335167/14066271/e7c5a384-f3f9-11e5-9328-19bbffa7337f.png"><img width="1440" alt="af_issue_7" src="https://cloud.githubusercontent.com/assets/335167/14066271/e7c5a384-f3f9-11e5-9328-19bbffa7337f.png" style="max-width: 100%;"></a></li>
<li>logs (from UI) also show observed behavior</li>
</ol>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Id Dttm Dag Id Task Id Event Execution Date Owner Extra
1910 03-27T15:37:36 test_18.test_subdag test_task_2_with_exit_1 running 03-26T12:00:00 Test
1911 03-27T15:37:46 test_18.test_subdag test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1916 03-27T15:39:18 test_18.test_subdag test_task_2_with_exit_1 running 03-26T12:00:00 Test
1918 03-27T15:39:28 test_18.test_subdag test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1924 03-27T15:41:18 test_18.test_subdag test_task_2_with_exit_1 running 03-26T12:00:00 Test
1930 03-27T15:41:28 test_18.test_subdag test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1912 03-27T15:37:54 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1914 03-27T15:38:05 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1917 03-27T15:39:23 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1920 03-27T15:39:33 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1921 03-27T15:40:54 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1922 03-27T15:41:04 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1925 03-27T15:41:26 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1926 03-27T15:41:36 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1927 03-27T15:41:52 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1928 03-27T15:42:02 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1929 03-27T15:42:18 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1931 03-27T15:42:28 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1933 03-27T15:43:52 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1934 03-27T15:44:02 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1935 03-27T15:44:30 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1936 03-27T15:44:40 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1937 03-27T15:44:56 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1938 03-27T15:45:06 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1939 03-27T15:46:35 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1940 03-27T15:46:45 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1941 03-27T15:47:42 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1942 03-27T15:47:52 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1943 03-27T15:49:20 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1944 03-27T15:49:30 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
..."><pre class="notranslate"><code class="notranslate">Id Dttm Dag Id Task Id Event Execution Date Owner Extra
1910 03-27T15:37:36 test_18.test_subdag test_task_2_with_exit_1 running 03-26T12:00:00 Test
1911 03-27T15:37:46 test_18.test_subdag test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1916 03-27T15:39:18 test_18.test_subdag test_task_2_with_exit_1 running 03-26T12:00:00 Test
1918 03-27T15:39:28 test_18.test_subdag test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1924 03-27T15:41:18 test_18.test_subdag test_task_2_with_exit_1 running 03-26T12:00:00 Test
1930 03-27T15:41:28 test_18.test_subdag test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1912 03-27T15:37:54 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1914 03-27T15:38:05 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1917 03-27T15:39:23 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1920 03-27T15:39:33 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1921 03-27T15:40:54 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1922 03-27T15:41:04 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1925 03-27T15:41:26 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1926 03-27T15:41:36 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1927 03-27T15:41:52 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1928 03-27T15:42:02 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1929 03-27T15:42:18 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1931 03-27T15:42:28 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1933 03-27T15:43:52 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1934 03-27T15:44:02 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1935 03-27T15:44:30 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1936 03-27T15:44:40 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1937 03-27T15:44:56 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1938 03-27T15:45:06 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1939 03-27T15:46:35 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1940 03-27T15:46:45 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1941 03-27T15:47:42 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1942 03-27T15:47:52 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
1943 03-27T15:49:20 test_18.test_subdag_with_pool test_task_2_with_exit_1 running 03-26T12:00:00 Test
1944 03-27T15:49:30 test_18.test_subdag_with_pool test_task_2_with_exit_1 failed 03-26T12:00:00 Test
...
</code></pre></div>
<ul dir="auto">
<li>Operating System: (Windows Version or <code class="notranslate">$ uname -a</code>)<br>
Linux **** 2.6.32-431.29.2.el6.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 Tue Sep 9 21:36:05 UTC 2014 x86_64 x86_64 x86_64 GNU/Linux</li>
<li>Python Version: <code class="notranslate">$ python --version</code><br>
Python 2.7.10</li>
</ul>
<p dir="auto">Now that you know a little about me, let me tell you about the issue I am having:</p>
<h1 dir="auto">Description of Issue</h1>
<p dir="auto">When subdag operators are used with pools, sub-task failures are not "bubbled" up to the subdag operator. The contained failed task will retry indefinitely even when retries is set to 0.</p>
<p dir="auto">When a subtask failure occurs the subdag operator remains in the running state, the sub-task quickly enters a queued state, and shortly there after re-enters a running state.</p>
<ul dir="auto">
<li>What did you expect to happen?</li>
<li>sub-task fails</li>
<li>subdag operator enters retry state</li>
<li>subdag operator enters running state when retry_delay has been met</li>
<li>sub-tasks get queued</li>
<li>sub-tasks enter running state</li>
<li>What happened instead?</li>
<li>sub-task fails</li>
<li>sub-task enters queued state</li>
<li>sub-task runs</li>
<li>rinse, repeat</li>
<li>Here is how you can reproduce this issue on your machine:
<h2 dir="auto">Reproduction Steps</h2>
</li>
<li>create a pool</li>
<li>set the email and pool in included DAG code</li>
<li>submit to your dags folder</li>
<li>observe non pooled subdag handle failure as specified</li>
<li>observe pooled subdag enter infinite loop</li>
</ul>
<p dir="auto">This behavior has been observed on multiple versions. I did the testing for submitting this issue on 1.7.0rc1.</p>
<p dir="auto">I also tested on HEAD 2016-03-26. The issue seems to get worst. The subdag which is not pooled (which works as expected on 1.7.0rc1) enters the retry state as it should .. but then never re-enters a running state. Hanging indefinitely.</p> | 0 |
<p dir="auto"><strong>Describe the feature</strong>:<br>
currently term aggregation execute below: the node coordinating the search process will request each shard to provide its own top size term buckets and once all shards respond, it will reduce the results to the final list that will then be returned to the client.<br>
if try to get all terms agg, it will cause memory issue.<br>
this request is below:<br>
not based on top size term but top term on each shard's term dictionary and return the agg. maintain a context for iteration to traverse all terms and get exact results.</p> | <p dir="auto">Terms aggregation does not support a way to page through the buckets returned.<br>
To work around this, I've been trying to set 'min_doc_count' to limit the buckets returned and using a 'exclude' filter, to exclude already 'seen' pages.</p>
<p dir="auto">Will this result in better running time performance on the ES cluster as compared to getting all the buckets and then doing my own paging logic client side ?</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 verified that the issue exists against the <code class="notranslate">master</code> branch of Celery.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> This has already been asked to the <a href="https://groups.google.com/forum/#!forum/celery-users" rel="nofollow">discussion group</a> first.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have read the relevant section in the<br>
<a href="http://docs.celeryproject.org/en/latest/contributing.html#other-bugs" rel="nofollow">contribution guide</a><br>
on reporting bugs.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/celery/celery/issues?q=is%3Aissue+label%3A%22Issue+Type%3A+Bug+Report%22+-label%3A%22Category%3A+Documentation%22">issues list</a><br>
for similar or identical bug reports.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/celery/celery/pulls?q=is%3Apr+label%3A%22PR+Type%3A+Bugfix%22+-label%3A%22Category%3A+Documentation%22">pull requests list</a><br>
for existing proposed fixes.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/celery/celery/commits/master">commit log</a><br>
to find out if the bug was already fixed in the master branch.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included all related issues and possible duplicate issues<br>
in this issue (If there are none, check this box anyway).</li>
</ul>
<h2 dir="auto">Mandatory Debugging Information</h2>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included the output of <code class="notranslate">celery -A proj report</code> in the issue.<br>
(if you are not able to do this, then at least specify the Celery<br>
version affected).</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have verified that the issue exists against the <code class="notranslate">master</code> branch of Celery.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included the contents of <code class="notranslate">pip freeze</code> in the issue.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included all the versions of all the external dependencies required<br>
to reproduce this bug.</li>
</ul>
<h2 dir="auto">Optional Debugging Information</h2>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one Python version<br>
and/or implementation.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one message broker and/or<br>
result backend.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one version of the message<br>
broker and/or result backend.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one operating system.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one workers pool.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue with autoscaling, retries,<br>
ETA/Countdown & rate limits disabled.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have tried reproducing the issue after downgrading<br>
and/or upgrading Celery and its dependencies.</li>
</ul>
<h4 dir="auto">Related Issues</h4>
<ul dir="auto">
<li>None</li>
</ul>
<h4 dir="auto">Possible Duplicates</h4>
<ul dir="auto">
<li>None</li>
</ul>
<h2 dir="auto">Environment & Settings</h2>
<p dir="auto"><strong>Celery version</strong>: 4.4.0</p>
<details>
<summary><b><code class="notranslate">celery report</code> Output:</b></summary>
<p dir="auto">
</p><div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="software -> celery:4.4.0 (cliffs) kombu:4.6.7 py:3.7.3
billiard:3.6.1.0 py-amqp:2.5.2
platform -> system:Linux arch:64bit, ELF
kernel version:5.0.0-37-generic imp:CPython
loader -> celery.loaders.app.AppLoader
settings -> transport:amqp results:redis://redis/
CELERY_BROKER_URL: 'amqp://guest:********@rabbit:5672//'
CELERY_RESULT_BACKEND: 'redis://redis/'
CELERY_TASK_SERIALIZER: 'json'
is_overridden: <bound method Settings.is_overridden of <Settings "app.settings">>
beat_schedule: {}
task_routes: {
'app.tasks.*': {'queue': 'main'}}"><pre class="notranslate"><code class="notranslate">software -> celery:4.4.0 (cliffs) kombu:4.6.7 py:3.7.3
billiard:3.6.1.0 py-amqp:2.5.2
platform -> system:Linux arch:64bit, ELF
kernel version:5.0.0-37-generic imp:CPython
loader -> celery.loaders.app.AppLoader
settings -> transport:amqp results:redis://redis/
CELERY_BROKER_URL: 'amqp://guest:********@rabbit:5672//'
CELERY_RESULT_BACKEND: 'redis://redis/'
CELERY_TASK_SERIALIZER: 'json'
is_overridden: <bound method Settings.is_overridden of <Settings "app.settings">>
beat_schedule: {}
task_routes: {
'app.tasks.*': {'queue': 'main'}}
</code></pre></div>
<p dir="auto"></p>
</details>
<h1 dir="auto">Steps to Reproduce</h1>
<ol dir="auto">
<li>Start celery worker with <code class="notranslate">--concurrency 8</code> and <code class="notranslate">-O fair</code> using code from test case below</li>
<li>Call a broken task via <code class="notranslate">celery -A app.celery_app call app.tasks.bug.task</code></li>
<li>Call a correct task via <code class="notranslate">celery -A app.celery_app call app.tasks.bug.task_correct</code></li>
</ol>
<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="aiohttp==3.6.2
amqp==2.5.2
asgiref==3.2.3
async-timeout==3.0.1
attrs==19.3.0
billiard==3.6.1.0
celery==4.4.0
certifi==2019.9.11
chardet==3.0.4
curlify==2.2.1
decorator==4.4.1
defusedxml==0.6.0
Django==3.0.2
django-braces==1.13.0
django-cors-headers==3.1.1
django-filter==2.2.0
django-oauth-toolkit==1.2.0
django-rest-framework-social-oauth2==1.1.0
django-templated-mail==1.1.1
djangorestframework==3.11.0
djoser==2.0.3
drf-nested-routers==0.91
facebook-business==5.0.0
ffmpeg-python==0.2.0
future==0.18.1
idna==2.8
ImageHash==4.0
imageio==2.6.1
imageio-ffmpeg==0.3.0
importlib-metadata==1.3.0
kombu==4.6.7
more-itertools==8.0.2
moviepy==1.0.1
multidict==4.5.2
numpy==1.17.4
oauthlib==3.1.0
Pillow==6.2.0
proglog==0.1.9
psycopg2-binary==2.8.3
PyJWT==1.7.1
pymongo==3.9.0
pyslack==0.5.0
python3-openid==3.1.0
pytz==2019.2
PyWavelets==1.1.1
redis==3.3.8
requests==2.22.0
requests-oauthlib==1.2.0
rest-social-auth==3.0.0
scipy==1.3.2
sentry-sdk==0.13.5
six==1.12.0
slackclient==2.3.0
social-auth-app-django==3.1.0
social-auth-core==3.2.0
sqlparse==0.3.0
tqdm==4.39.0
urllib3==1.25.6
vine==1.3.0
yarl==1.3.0
zipp==0.6.0"><pre class="notranslate"><code class="notranslate">aiohttp==3.6.2
amqp==2.5.2
asgiref==3.2.3
async-timeout==3.0.1
attrs==19.3.0
billiard==3.6.1.0
celery==4.4.0
certifi==2019.9.11
chardet==3.0.4
curlify==2.2.1
decorator==4.4.1
defusedxml==0.6.0
Django==3.0.2
django-braces==1.13.0
django-cors-headers==3.1.1
django-filter==2.2.0
django-oauth-toolkit==1.2.0
django-rest-framework-social-oauth2==1.1.0
django-templated-mail==1.1.1
djangorestframework==3.11.0
djoser==2.0.3
drf-nested-routers==0.91
facebook-business==5.0.0
ffmpeg-python==0.2.0
future==0.18.1
idna==2.8
ImageHash==4.0
imageio==2.6.1
imageio-ffmpeg==0.3.0
importlib-metadata==1.3.0
kombu==4.6.7
more-itertools==8.0.2
moviepy==1.0.1
multidict==4.5.2
numpy==1.17.4
oauthlib==3.1.0
Pillow==6.2.0
proglog==0.1.9
psycopg2-binary==2.8.3
PyJWT==1.7.1
pymongo==3.9.0
pyslack==0.5.0
python3-openid==3.1.0
pytz==2019.2
PyWavelets==1.1.1
redis==3.3.8
requests==2.22.0
requests-oauthlib==1.2.0
rest-social-auth==3.0.0
scipy==1.3.2
sentry-sdk==0.13.5
six==1.12.0
slackclient==2.3.0
social-auth-app-django==3.1.0
social-auth-core==3.2.0
sqlparse==0.3.0
tqdm==4.39.0
urllib3==1.25.6
vine==1.3.0
yarl==1.3.0
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="from time import sleep
from celery import chord, group
from app.celery_app import app
@app.task
def task():
chord([
a.s(1) | group([b.si(), b.si()]),
a.s(3) | group([b.si(), b.si()]),
])(c.si())
@app.task
def task_correct():
chord([
a.s(1) | group([b.si(), b.si()]) | dummy.si(),
a.s(3) | group([b.si(), b.si()]) | dummy.si(),
])(c.si())
@app.task
def dummy():
pass
@app.task
def a(delay):
sleep(delay)
@app.task
def b():
pass
@app.task
def c():
pass"><pre class="notranslate"><span class="pl-k">from</span> <span class="pl-s1">time</span> <span class="pl-k">import</span> <span class="pl-s1">sleep</span>
<span class="pl-k">from</span> <span class="pl-s1">celery</span> <span class="pl-k">import</span> <span class="pl-s1">chord</span>, <span class="pl-s1">group</span>
<span class="pl-k">from</span> <span class="pl-s1">app</span>.<span class="pl-s1">celery_app</span> <span class="pl-k">import</span> <span class="pl-s1">app</span>
<span class="pl-en">@<span class="pl-s1">app</span>.<span class="pl-s1">task</span></span>
<span class="pl-k">def</span> <span class="pl-en">task</span>():
<span class="pl-en">chord</span>([
<span class="pl-s1">a</span>.<span class="pl-en">s</span>(<span class="pl-c1">1</span>) <span class="pl-c1">|</span> <span class="pl-en">group</span>([<span class="pl-s1">b</span>.<span class="pl-en">si</span>(), <span class="pl-s1">b</span>.<span class="pl-en">si</span>()]),
<span class="pl-s1">a</span>.<span class="pl-en">s</span>(<span class="pl-c1">3</span>) <span class="pl-c1">|</span> <span class="pl-en">group</span>([<span class="pl-s1">b</span>.<span class="pl-en">si</span>(), <span class="pl-s1">b</span>.<span class="pl-en">si</span>()]),
])(<span class="pl-s1">c</span>.<span class="pl-en">si</span>())
<span class="pl-en">@<span class="pl-s1">app</span>.<span class="pl-s1">task</span></span>
<span class="pl-k">def</span> <span class="pl-en">task_correct</span>():
<span class="pl-en">chord</span>([
<span class="pl-s1">a</span>.<span class="pl-en">s</span>(<span class="pl-c1">1</span>) <span class="pl-c1">|</span> <span class="pl-en">group</span>([<span class="pl-s1">b</span>.<span class="pl-en">si</span>(), <span class="pl-s1">b</span>.<span class="pl-en">si</span>()]) <span class="pl-c1">|</span> <span class="pl-s1">dummy</span>.<span class="pl-en">si</span>(),
<span class="pl-s1">a</span>.<span class="pl-en">s</span>(<span class="pl-c1">3</span>) <span class="pl-c1">|</span> <span class="pl-en">group</span>([<span class="pl-s1">b</span>.<span class="pl-en">si</span>(), <span class="pl-s1">b</span>.<span class="pl-en">si</span>()]) <span class="pl-c1">|</span> <span class="pl-s1">dummy</span>.<span class="pl-en">si</span>(),
])(<span class="pl-s1">c</span>.<span class="pl-en">si</span>())
<span class="pl-en">@<span class="pl-s1">app</span>.<span class="pl-s1">task</span></span>
<span class="pl-k">def</span> <span class="pl-en">dummy</span>():
<span class="pl-k">pass</span>
<span class="pl-en">@<span class="pl-s1">app</span>.<span class="pl-s1">task</span></span>
<span class="pl-k">def</span> <span class="pl-en">a</span>(<span class="pl-s1">delay</span>):
<span class="pl-en">sleep</span>(<span class="pl-s1">delay</span>)
<span class="pl-en">@<span class="pl-s1">app</span>.<span class="pl-s1">task</span></span>
<span class="pl-k">def</span> <span class="pl-en">b</span>():
<span class="pl-k">pass</span>
<span class="pl-en">@<span class="pl-s1">app</span>.<span class="pl-s1">task</span></span>
<span class="pl-k">def</span> <span class="pl-en">c</span>():
<span class="pl-k">pass</span></pre></div>
<p dir="auto"></p>
</details>
<h1 dir="auto">Expected Behavior</h1>
<p dir="auto">I expect the tasks to complete in the following order:<br>
<code class="notranslate">A B B A B B C</code></p>
<h1 dir="auto">Actual Behavior</h1>
<p dir="auto">Task C gets duplicated:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[2020-01-31 13:48:40,765: INFO/MainProcess] Received task: app.tasks.bug.task[9d35ec5f-a268-4db9-9068-1e27fe64cef9]
[2020-01-31 13:48:40,817: INFO/MainProcess] Received task: app.tasks.bug.a[b2833570-bca5-4875-ab6d-e3ec339f36d1]
[2020-01-31 13:48:40,824: INFO/MainProcess] Received task: app.tasks.bug.a[3d49f0d7-6b1a-4937-ac1c-29bac230e533]
[2020-01-31 13:48:40,828: INFO/ForkPoolWorker-8] Task app.tasks.bug.task[9d35ec5f-a268-4db9-9068-1e27fe64cef9] succeeded in 0.06039188499562442s: None
[2020-01-31 13:48:41,864: INFO/MainProcess] Received task: app.tasks.bug.b[796bcd9f-f548-4282-9f6d-16ddb3ddc29b]
[2020-01-31 13:48:41,867: INFO/ForkPoolWorker-8] Task app.tasks.bug.b[796bcd9f-f548-4282-9f6d-16ddb3ddc29b] succeeded in 0.001961939036846161s: None
[2020-01-31 13:48:41,869: INFO/MainProcess] Received task: app.tasks.bug.b[eacaa3ce-cc71-4daf-8e62-8d24f9322c7b]
[2020-01-31 13:48:41,871: INFO/ForkPoolWorker-9] Task app.tasks.bug.a[b2833570-bca5-4875-ab6d-e3ec339f36d1] succeeded in 1.0521306470036507s: None
[2020-01-31 13:48:41,884: INFO/ForkPoolWorker-8] Task app.tasks.bug.b[eacaa3ce-cc71-4daf-8e62-8d24f9322c7b] succeeded in 0.013368424959480762s: None
[2020-01-31 13:48:41,884: INFO/MainProcess] Received task: app.tasks.bug.c[8e50636b-a440-454e-a6fe-57bb7595b82f]
[2020-01-31 13:48:41,886: INFO/ForkPoolWorker-8] Task app.tasks.bug.c[8e50636b-a440-454e-a6fe-57bb7595b82f] succeeded in 0.0010153759503737092s: None
[2020-01-31 13:48:43,880: INFO/MainProcess] Received task: app.tasks.bug.b[07eb9c18-1303-4517-b95b-d555de1d6315]
[2020-01-31 13:48:43,884: INFO/ForkPoolWorker-8] Task app.tasks.bug.b[07eb9c18-1303-4517-b95b-d555de1d6315] succeeded in 0.0018030810169875622s: None
[2020-01-31 13:48:43,887: INFO/MainProcess] Received task: app.tasks.bug.b[7ebaf58a-28f5-4170-86fb-61c3b5ee1909]
[2020-01-31 13:48:43,887: INFO/ForkPoolWorker-2] Task app.tasks.bug.a[3d49f0d7-6b1a-4937-ac1c-29bac230e533] succeeded in 3.0580567660508677s: None
[2020-01-31 13:48:43,892: INFO/ForkPoolWorker-8] Task app.tasks.bug.b[7ebaf58a-28f5-4170-86fb-61c3b5ee1909] succeeded in 0.004260396934114397s: None
[2020-01-31 13:48:43,893: INFO/MainProcess] Received task: app.tasks.bug.c[8e50636b-a440-454e-a6fe-57bb7595b82f]
[2020-01-31 13:48:43,896: INFO/ForkPoolWorker-8] Task app.tasks.bug.c[8e50636b-a440-454e-a6fe-57bb7595b82f] succeeded in 0.000999139971099794s: None"><pre class="notranslate"><code class="notranslate">[2020-01-31 13:48:40,765: INFO/MainProcess] Received task: app.tasks.bug.task[9d35ec5f-a268-4db9-9068-1e27fe64cef9]
[2020-01-31 13:48:40,817: INFO/MainProcess] Received task: app.tasks.bug.a[b2833570-bca5-4875-ab6d-e3ec339f36d1]
[2020-01-31 13:48:40,824: INFO/MainProcess] Received task: app.tasks.bug.a[3d49f0d7-6b1a-4937-ac1c-29bac230e533]
[2020-01-31 13:48:40,828: INFO/ForkPoolWorker-8] Task app.tasks.bug.task[9d35ec5f-a268-4db9-9068-1e27fe64cef9] succeeded in 0.06039188499562442s: None
[2020-01-31 13:48:41,864: INFO/MainProcess] Received task: app.tasks.bug.b[796bcd9f-f548-4282-9f6d-16ddb3ddc29b]
[2020-01-31 13:48:41,867: INFO/ForkPoolWorker-8] Task app.tasks.bug.b[796bcd9f-f548-4282-9f6d-16ddb3ddc29b] succeeded in 0.001961939036846161s: None
[2020-01-31 13:48:41,869: INFO/MainProcess] Received task: app.tasks.bug.b[eacaa3ce-cc71-4daf-8e62-8d24f9322c7b]
[2020-01-31 13:48:41,871: INFO/ForkPoolWorker-9] Task app.tasks.bug.a[b2833570-bca5-4875-ab6d-e3ec339f36d1] succeeded in 1.0521306470036507s: None
[2020-01-31 13:48:41,884: INFO/ForkPoolWorker-8] Task app.tasks.bug.b[eacaa3ce-cc71-4daf-8e62-8d24f9322c7b] succeeded in 0.013368424959480762s: None
[2020-01-31 13:48:41,884: INFO/MainProcess] Received task: app.tasks.bug.c[8e50636b-a440-454e-a6fe-57bb7595b82f]
[2020-01-31 13:48:41,886: INFO/ForkPoolWorker-8] Task app.tasks.bug.c[8e50636b-a440-454e-a6fe-57bb7595b82f] succeeded in 0.0010153759503737092s: None
[2020-01-31 13:48:43,880: INFO/MainProcess] Received task: app.tasks.bug.b[07eb9c18-1303-4517-b95b-d555de1d6315]
[2020-01-31 13:48:43,884: INFO/ForkPoolWorker-8] Task app.tasks.bug.b[07eb9c18-1303-4517-b95b-d555de1d6315] succeeded in 0.0018030810169875622s: None
[2020-01-31 13:48:43,887: INFO/MainProcess] Received task: app.tasks.bug.b[7ebaf58a-28f5-4170-86fb-61c3b5ee1909]
[2020-01-31 13:48:43,887: INFO/ForkPoolWorker-2] Task app.tasks.bug.a[3d49f0d7-6b1a-4937-ac1c-29bac230e533] succeeded in 3.0580567660508677s: None
[2020-01-31 13:48:43,892: INFO/ForkPoolWorker-8] Task app.tasks.bug.b[7ebaf58a-28f5-4170-86fb-61c3b5ee1909] succeeded in 0.004260396934114397s: None
[2020-01-31 13:48:43,893: INFO/MainProcess] Received task: app.tasks.bug.c[8e50636b-a440-454e-a6fe-57bb7595b82f]
[2020-01-31 13:48:43,896: INFO/ForkPoolWorker-8] Task app.tasks.bug.c[8e50636b-a440-454e-a6fe-57bb7595b82f] succeeded in 0.000999139971099794s: None
</code></pre></div>
<p dir="auto">Actual execution order is weird, and task C is executed twice.</p>
<p dir="auto">But when you add a dummy task to the end of each chain, execution order becomes correct (as seen in <code class="notranslate">task_correct</code> task):</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[2020-01-31 15:13:00,867: INFO/MainProcess] Received task: app.tasks.bug.task_correct[d9dd4fb3-8df9-4c39-8b3d-e8892f9d6fef]
[2020-01-31 15:13:00,928: INFO/MainProcess] Received task: app.tasks.bug.a[e7eb341f-3c10-4bb0-9dee-2cfa38354005]
[2020-01-31 15:13:00,939: INFO/MainProcess] Received task: app.tasks.bug.a[c13967b3-b53a-4005-9249-dffa4b6122af]
[2020-01-31 15:13:00,941: INFO/ForkPoolWorker-8] Task app.tasks.bug.task_correct[d9dd4fb3-8df9-4c39-8b3d-e8892f9d6fef] succeeded in 0.07147384795825928s: None
[2020-01-31 15:13:01,974: INFO/MainProcess] Received task: app.tasks.bug.b[88ceb430-5056-40a1-ae82-cfd95d27845e]
[2020-01-31 15:13:01,977: INFO/MainProcess] Received task: app.tasks.bug.b[3a354338-edb7-447b-9d40-855e9e386531]
[2020-01-31 15:13:01,977: INFO/ForkPoolWorker-9] Task app.tasks.bug.a[e7eb341f-3c10-4bb0-9dee-2cfa38354005] succeeded in 1.0470000900095329s: None
[2020-01-31 15:13:01,978: INFO/ForkPoolWorker-8] Task app.tasks.bug.b[88ceb430-5056-40a1-ae82-cfd95d27845e] succeeded in 0.0024882910074666142s: None
[2020-01-31 15:13:02,008: INFO/MainProcess] Received task: app.tasks.bug.dummy[2b9094d8-fe73-43b3-9a2a-c5ad756b3e22]
[2020-01-31 15:13:02,009: INFO/ForkPoolWorker-3] Task app.tasks.bug.b[3a354338-edb7-447b-9d40-855e9e386531] succeeded in 0.02914690098259598s: None
[2020-01-31 15:13:02,013: INFO/ForkPoolWorker-8] Task app.tasks.bug.dummy[2b9094d8-fe73-43b3-9a2a-c5ad756b3e22] succeeded in 0.002397596021182835s: None
[2020-01-31 15:13:03,989: INFO/MainProcess] Received task: app.tasks.bug.b[fafd28c6-55d0-41c5-a035-1d4da0d6067b]
[2020-01-31 15:13:03,992: INFO/MainProcess] Received task: app.tasks.bug.b[ea8c9c21-f860-4268-b44c-6faa8ba66dc2]
[2020-01-31 15:13:03,993: INFO/ForkPoolWorker-8] Task app.tasks.bug.b[fafd28c6-55d0-41c5-a035-1d4da0d6067b] succeeded in 0.0024769710144028068s: None
[2020-01-31 15:13:03,994: INFO/ForkPoolWorker-2] Task app.tasks.bug.a[c13967b3-b53a-4005-9249-dffa4b6122af] succeeded in 3.050520417978987s: None
[2020-01-31 15:13:04,001: INFO/ForkPoolWorker-9] Task app.tasks.bug.b[ea8c9c21-f860-4268-b44c-6faa8ba66dc2] succeeded in 0.006369335926137865s: None
[2020-01-31 15:13:04,001: INFO/MainProcess] Received task: app.tasks.bug.dummy[998aa572-9010-4991-856a-191cf1741680]
[2020-01-31 15:13:04,021: INFO/MainProcess] Received task: app.tasks.bug.c[976f5323-1505-41c6-ad01-e0e720c4b5c7]
[2020-01-31 15:13:04,021: INFO/ForkPoolWorker-8] Task app.tasks.bug.dummy[998aa572-9010-4991-856a-191cf1741680] succeeded in 0.018995660939253867s: None
[2020-01-31 15:13:04,023: INFO/ForkPoolWorker-9] Task app.tasks.bug.c[976f5323-1505-41c6-ad01-e0e720c4b5c7] succeeded in 0.0012671550503000617s: None"><pre class="notranslate"><code class="notranslate">[2020-01-31 15:13:00,867: INFO/MainProcess] Received task: app.tasks.bug.task_correct[d9dd4fb3-8df9-4c39-8b3d-e8892f9d6fef]
[2020-01-31 15:13:00,928: INFO/MainProcess] Received task: app.tasks.bug.a[e7eb341f-3c10-4bb0-9dee-2cfa38354005]
[2020-01-31 15:13:00,939: INFO/MainProcess] Received task: app.tasks.bug.a[c13967b3-b53a-4005-9249-dffa4b6122af]
[2020-01-31 15:13:00,941: INFO/ForkPoolWorker-8] Task app.tasks.bug.task_correct[d9dd4fb3-8df9-4c39-8b3d-e8892f9d6fef] succeeded in 0.07147384795825928s: None
[2020-01-31 15:13:01,974: INFO/MainProcess] Received task: app.tasks.bug.b[88ceb430-5056-40a1-ae82-cfd95d27845e]
[2020-01-31 15:13:01,977: INFO/MainProcess] Received task: app.tasks.bug.b[3a354338-edb7-447b-9d40-855e9e386531]
[2020-01-31 15:13:01,977: INFO/ForkPoolWorker-9] Task app.tasks.bug.a[e7eb341f-3c10-4bb0-9dee-2cfa38354005] succeeded in 1.0470000900095329s: None
[2020-01-31 15:13:01,978: INFO/ForkPoolWorker-8] Task app.tasks.bug.b[88ceb430-5056-40a1-ae82-cfd95d27845e] succeeded in 0.0024882910074666142s: None
[2020-01-31 15:13:02,008: INFO/MainProcess] Received task: app.tasks.bug.dummy[2b9094d8-fe73-43b3-9a2a-c5ad756b3e22]
[2020-01-31 15:13:02,009: INFO/ForkPoolWorker-3] Task app.tasks.bug.b[3a354338-edb7-447b-9d40-855e9e386531] succeeded in 0.02914690098259598s: None
[2020-01-31 15:13:02,013: INFO/ForkPoolWorker-8] Task app.tasks.bug.dummy[2b9094d8-fe73-43b3-9a2a-c5ad756b3e22] succeeded in 0.002397596021182835s: None
[2020-01-31 15:13:03,989: INFO/MainProcess] Received task: app.tasks.bug.b[fafd28c6-55d0-41c5-a035-1d4da0d6067b]
[2020-01-31 15:13:03,992: INFO/MainProcess] Received task: app.tasks.bug.b[ea8c9c21-f860-4268-b44c-6faa8ba66dc2]
[2020-01-31 15:13:03,993: INFO/ForkPoolWorker-8] Task app.tasks.bug.b[fafd28c6-55d0-41c5-a035-1d4da0d6067b] succeeded in 0.0024769710144028068s: None
[2020-01-31 15:13:03,994: INFO/ForkPoolWorker-2] Task app.tasks.bug.a[c13967b3-b53a-4005-9249-dffa4b6122af] succeeded in 3.050520417978987s: None
[2020-01-31 15:13:04,001: INFO/ForkPoolWorker-9] Task app.tasks.bug.b[ea8c9c21-f860-4268-b44c-6faa8ba66dc2] succeeded in 0.006369335926137865s: None
[2020-01-31 15:13:04,001: INFO/MainProcess] Received task: app.tasks.bug.dummy[998aa572-9010-4991-856a-191cf1741680]
[2020-01-31 15:13:04,021: INFO/MainProcess] Received task: app.tasks.bug.c[976f5323-1505-41c6-ad01-e0e720c4b5c7]
[2020-01-31 15:13:04,021: INFO/ForkPoolWorker-8] Task app.tasks.bug.dummy[998aa572-9010-4991-856a-191cf1741680] succeeded in 0.018995660939253867s: None
[2020-01-31 15:13:04,023: INFO/ForkPoolWorker-9] Task app.tasks.bug.c[976f5323-1505-41c6-ad01-e0e720c4b5c7] succeeded in 0.0012671550503000617s: None
</code></pre></div> | <h1 dir="auto">Checklist</h1>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have read the relevant section in the<br>
<a href="http://docs.celeryproject.org/en/latest/contributing.html#other-bugs" rel="nofollow">contribution guide</a><br>
on reporting bugs.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/celery/celery/issues?q=is%3Aissue+label%3A%22Issue+Type%3A+Bug+Report%22+-label%3A%22Category%3A+Documentation%22">issues list</a><br>
for similar or identical bug reports.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/celery/celery/pulls?q=is%3Apr+label%3A%22PR+Type%3A+Bugfix%22+-label%3A%22Category%3A+Documentation%22">pull requests list</a><br>
for existing proposed fixes.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/celery/celery/commits/master">commit log</a><br>
to find out if the bug was already fixed in the master branch.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included all related issues and possible duplicate issues<br>
in this issue (If there are none, check this box anyway).</li>
</ul>
<h2 dir="auto">Mandatory Debugging Information</h2>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included the output of <code class="notranslate">celery -A proj report</code> in the issue.<br>
(if you are not able to do this, then at least specify the Celery<br>
version affected).</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have verified that the issue exists against the <code class="notranslate">master</code> branch of Celery.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included the contents of <code class="notranslate">pip freeze</code> in the issue.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have included all the versions of all the external dependencies required<br>
to reproduce this bug.</li>
</ul>
<h2 dir="auto">Optional Debugging Information</h2>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one Python version<br>
and/or implementation.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one message broker and/or<br>
result backend.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one version of the message<br>
broker and/or result backend.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one operating system.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue on more than one workers pool.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue with autoscaling, retries,<br>
ETA/Countdown & rate limits disabled.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> I have tried reproducing the issue after downgrading<br>
and/or upgrading Celery and its dependencies.</li>
</ul>
<h2 dir="auto">Related Issues and Possible Duplicates</h2>
<h4 dir="auto">Related Issues</h4>
<p dir="auto"><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="367917725" data-permission-text="Title is private" data-url="https://github.com/celery/celery/issues/5100" data-hovercard-type="issue" data-hovercard-url="/celery/celery/issues/5100/hovercard" href="https://github.com/celery/celery/issues/5100">#5100</a></p>
<h4 dir="auto">Possible Duplicates</h4>
<ul dir="auto">
<li>None</li>
</ul>
<h2 dir="auto">Environment & Settings</h2>
<p dir="auto"><strong>Celery version</strong>: 4.3.0</p>
<details>
<summary><b><code class="notranslate">
celery -A proj report
</code> Output:</b></summary>
<p dir="auto">
</p><div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="software -> celery:4.3.0 (rhubarb) kombu:4.5.0 py:2.7.12
billiard:3.6.0.0 py-amqp:2.4.2
platform -> system:Linux arch:64bit, ELF
kernel version:4.15.0-47-generic imp:CPython
loader -> celery.loaders.app.AppLoader
settings -> transport:amqp results:disabled"><pre class="notranslate"><code class="notranslate">software -> celery:4.3.0 (rhubarb) kombu:4.5.0 py:2.7.12
billiard:3.6.0.0 py-amqp:2.4.2
platform -> system:Linux arch:64bit, ELF
kernel version:4.15.0-47-generic imp:CPython
loader -> celery.loaders.app.AppLoader
settings -> transport:amqp results:disabled
</code></pre></div>
<p dir="auto"></p>
</details>
<h1 dir="auto">Steps to Reproduce</h1>
<h2 dir="auto">Required Dependencies</h2>
<ul dir="auto">
<li><strong>Minimal Python Version</strong>: 2.7</li>
<li><strong>Minimal Celery Version</strong>: 4.0.1 (added support for task request)</li>
<li><strong>Minimal Kombu Version</strong>: N/A</li>
<li><strong>Minimal Broker Version</strong>: N/A</li>
<li><strong>Minimal Result Backend Version</strong>: N/A</li>
<li><strong>Minimal OS and/or Kernel Version</strong>: N/A</li>
<li><strong>Minimal Broker Client Version</strong>: N/A</li>
<li><strong>Minimal Result Backend Client Version</strong>: N/A</li>
</ul>
<h3 dir="auto">Python Packages</h3>
<details>
Relevant dependencies:
<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="celery==4.3.0
kombu==4.5.0"><pre class="notranslate"><code class="notranslate">celery==4.3.0
kombu==4.5.0
</code></pre></div>
<p dir="auto"></p>
</details>
<h3 dir="auto">Other Dependencies</h3>
<details>
<p dir="auto">
N/A
</p>
</details>
<h2 dir="auto">Minimally Reproducible Test Case</h2>
<details>
<p dir="auto">
I was trying to create a new back-end that stored the results of tasks in a different place depending on the tenant for which the task was started, which worked initially, but when I used `update_state` in one of my tasks, my back-end failed because `request` was not present among the arguments.
</p><p dir="auto">This is a dummy implementation of the back-end:<br>
<code class="notranslate">multi_tenant_backend.py</code></p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="from collections import defaultdict
class MultiTenantBackend(BaseBackend):
def __init__(self, *args, **kwargs):
super(BaseBackend, self).__init__(*args, **kwargs)
self.store = defaultdict(dict)
def store_result(self, task_id, result, state, traceback=None, request=None, **kwargs):
tenant = request.get("_tenant")
self.store[tenant][task_id] = (result, state)
def ensure_chords_allowed(self):
pass
def as_uri(self, *args, **kwargs):
return None
def get_state(self, task_id):
return None
def get_status(self, task_id):
return None
def get_result(self, task_id):
return None
def get_traceback(self, task_id):
return None
def _get_task_meta_for(self, task_id):
return {}
def wait_for(self, *args, **kwargs):
pass"><pre class="notranslate"><span class="pl-k">from</span> <span class="pl-s1">collections</span> <span class="pl-k">import</span> <span class="pl-s1">defaultdict</span>
<span class="pl-k">class</span> <span class="pl-v">MultiTenantBackend</span>(<span class="pl-v">BaseBackend</span>):
<span class="pl-k">def</span> <span class="pl-en">__init__</span>(<span class="pl-s1">self</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>):
<span class="pl-en">super</span>(<span class="pl-v">BaseBackend</span>, <span class="pl-s1">self</span>).<span class="pl-en">__init__</span>(<span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-s1">self</span>.<span class="pl-s1">store</span> <span class="pl-c1">=</span> <span class="pl-en">defaultdict</span>(<span class="pl-s1">dict</span>)
<span class="pl-k">def</span> <span class="pl-en">store_result</span>(<span class="pl-s1">self</span>, <span class="pl-s1">task_id</span>, <span class="pl-s1">result</span>, <span class="pl-s1">state</span>, <span class="pl-s1">traceback</span><span class="pl-c1">=</span><span class="pl-c1">None</span>, <span class="pl-s1">request</span><span class="pl-c1">=</span><span class="pl-c1">None</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>):
<span class="pl-s1">tenant</span> <span class="pl-c1">=</span> <span class="pl-s1">request</span>.<span class="pl-en">get</span>(<span class="pl-s">"_tenant"</span>)
<span class="pl-s1">self</span>.<span class="pl-s1">store</span>[<span class="pl-s1">tenant</span>][<span class="pl-s1">task_id</span>] <span class="pl-c1">=</span> (<span class="pl-s1">result</span>, <span class="pl-s1">state</span>)
<span class="pl-k">def</span> <span class="pl-en">ensure_chords_allowed</span>(<span class="pl-s1">self</span>):
<span class="pl-k">pass</span>
<span class="pl-k">def</span> <span class="pl-en">as_uri</span>(<span class="pl-s1">self</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>):
<span class="pl-k">return</span> <span class="pl-c1">None</span>
<span class="pl-k">def</span> <span class="pl-en">get_state</span>(<span class="pl-s1">self</span>, <span class="pl-s1">task_id</span>):
<span class="pl-k">return</span> <span class="pl-c1">None</span>
<span class="pl-k">def</span> <span class="pl-en">get_status</span>(<span class="pl-s1">self</span>, <span class="pl-s1">task_id</span>):
<span class="pl-k">return</span> <span class="pl-c1">None</span>
<span class="pl-k">def</span> <span class="pl-en">get_result</span>(<span class="pl-s1">self</span>, <span class="pl-s1">task_id</span>):
<span class="pl-k">return</span> <span class="pl-c1">None</span>
<span class="pl-k">def</span> <span class="pl-en">get_traceback</span>(<span class="pl-s1">self</span>, <span class="pl-s1">task_id</span>):
<span class="pl-k">return</span> <span class="pl-c1">None</span>
<span class="pl-k">def</span> <span class="pl-en">_get_task_meta_for</span>(<span class="pl-s1">self</span>, <span class="pl-s1">task_id</span>):
<span class="pl-k">return</span> {}
<span class="pl-k">def</span> <span class="pl-en">wait_for</span>(<span class="pl-s1">self</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>):
<span class="pl-k">pass</span></pre></div>
<p dir="auto"><code class="notranslate">tasks.py</code></p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="@celery_app.task(bind=True)
def do_something(task):
sleep(3)
task.update_state(state="DOING_SOMETHING")"><pre class="notranslate"><span class="pl-en">@<span class="pl-s1">celery_app</span>.<span class="pl-en">task</span>(<span class="pl-s1">bind</span><span class="pl-c1">=</span><span class="pl-c1">True</span>)</span>
<span class="pl-k">def</span> <span class="pl-en">do_something</span>(<span class="pl-s1">task</span>):
<span class="pl-en">sleep</span>(<span class="pl-c1">3</span>)
<span class="pl-s1">task</span>.<span class="pl-en">update_state</span>(<span class="pl-s1">state</span><span class="pl-c1">=</span><span class="pl-s">"DOING_SOMETHING"</span>)</pre></div>
<p dir="auto"></p>
</details>
<h1 dir="auto">Expected Behavior</h1>
<p dir="auto">I would expect the back-end's <code class="notranslate">store_result</code> method to be called with the task's <code class="notranslate">request</code> as an argument when calling <code class="notranslate">task.update_state(state=..., meta=...)</code>.</p>
<h1 dir="auto">Actual Behavior</h1>
<p dir="auto">Calling <code class="notranslate">update_state</code> fails, because the back-end's <code class="notranslate">store_result</code> method is called without the task's <code class="notranslate">request</code> which is used by the back-end to retrieve information.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Traceback (most recent call last):
worker_1_e608e69813d9 | File "/usr/local/lib/python2.7/dist-packages/celery/app/trace.py", line 385, in trace_task
worker_1_e608e69813d9 | R = retval = fun(*args, **kwargs)
worker_1_e608e69813d9 | File "/data/alaya/api/common/celery_app.py", line 113, in __call__
worker_1_e608e69813d9 | return super(RequestContextTask, self).__call__(*args, **kwargs)
worker_1_e608e69813d9 | File "/usr/local/lib/python2.7/dist-packages/celery/app/trace.py", line 648, in __protected_call__
worker_1_e608e69813d9 | return self.run(*args, **kwargs)
worker_1_e608e69813d9 | File "/data/alaya/api/scheduleoptimization/alns/core/alns.py", line 70, in do_something
worker_1_e608e69813d9 | "some": "metadata",
worker_1_e608e69813d9 | File "/data/alaya/api/common/celery_app.py", line 140, in update_state
worker_1_e608e69813d9 | super(RequestContextTask, self).update_state(request=request, **args)
worker_1_e608e69813d9 | File "/usr/local/lib/python2.7/dist-packages/celery/app/task.py", line 930, in update_state
worker_1_e608e69813d9 | self.backend.store_result(task_id, meta, state, **kwargs)
worker_1_e608e69813d9 | File "/data/alaya/api/common/multi_tenant_backend.py", line 51, in store_result
worker_1_e608e69813d9 | tenant = request.get('_tenant')
worker_1_e608e69813d9 | AttributeError: 'NoneType' object has no attribute 'get'"><pre class="notranslate"><code class="notranslate">Traceback (most recent call last):
worker_1_e608e69813d9 | File "/usr/local/lib/python2.7/dist-packages/celery/app/trace.py", line 385, in trace_task
worker_1_e608e69813d9 | R = retval = fun(*args, **kwargs)
worker_1_e608e69813d9 | File "/data/alaya/api/common/celery_app.py", line 113, in __call__
worker_1_e608e69813d9 | return super(RequestContextTask, self).__call__(*args, **kwargs)
worker_1_e608e69813d9 | File "/usr/local/lib/python2.7/dist-packages/celery/app/trace.py", line 648, in __protected_call__
worker_1_e608e69813d9 | return self.run(*args, **kwargs)
worker_1_e608e69813d9 | File "/data/alaya/api/scheduleoptimization/alns/core/alns.py", line 70, in do_something
worker_1_e608e69813d9 | "some": "metadata",
worker_1_e608e69813d9 | File "/data/alaya/api/common/celery_app.py", line 140, in update_state
worker_1_e608e69813d9 | super(RequestContextTask, self).update_state(request=request, **args)
worker_1_e608e69813d9 | File "/usr/local/lib/python2.7/dist-packages/celery/app/task.py", line 930, in update_state
worker_1_e608e69813d9 | self.backend.store_result(task_id, meta, state, **kwargs)
worker_1_e608e69813d9 | File "/data/alaya/api/common/multi_tenant_backend.py", line 51, in store_result
worker_1_e608e69813d9 | tenant = request.get('_tenant')
worker_1_e608e69813d9 | AttributeError: 'NoneType' object has no attribute 'get'
</code></pre></div>
<p dir="auto">Of course, I can solve the issue by passing <code class="notranslate">task.request</code> when calling <code class="notranslate">update_state</code>, but I don't want to bother doing that just because my back-end depends on it. I could do it in a custom <code class="notranslate">Task</code> class, but I'd prefer if it was the default behavior of <code class="notranslate">celery</code>.</p>
<p dir="auto">A potential fix is to default to passing the task's request here <a href="https://github.com/celery/celery/blob/master/celery/app/task.py#L919">https://github.com/celery/celery/blob/master/celery/app/task.py#L919</a> when it's not present, the same as we are doing with <code class="notranslate">task_id</code> (i.e <code class="notranslate">if task_id is None: task_id = self.request.id</code>.</p>
<p dir="auto">That said, maybe I am missing something and the reason why the <code class="notranslate">request </code> is not passed by default is because the <code class="notranslate">request</code> is not available in some special cases.</p> | 0 |
<p dir="auto"><strong>Easy:</strong></p>
<ul dir="auto">
<li>in test_common, check that the ValueError raise has a useful error message. (see sparse test for an example)</li>
<li>put as many of the "specific" tests in test_clustering, test_transformers, ... into test_non_meta_estimators.</li>
</ul>
<p dir="auto"><strong>Not so easy:</strong></p>
<ul dir="auto">
<li>calling <code class="notranslate">fit</code> forgets the previous model if any</li>
<li><del>check how classifiers handle only one class being present</del></li>
<li><del>test how models handle non-float input (does uint8 cause overflows?)</del></li>
</ul>
<p dir="auto"><strong>Things done</strong></p>
<p dir="auto">We should factorize common tests in a new file <code class="notranslate">test_common.py</code> (or maybe <code class="notranslate">test_input.py</code>?). Things to check:</p>
<ul dir="auto">
<li><del>can pickle the object</del></li>
<li><del>raise an exception when data contains nans</del></li>
<li><del>raise an exception for invalid input (e.g., <code class="notranslate">np.matrix</code> or <code class="notranslate">sp.csr_matrix</code> if dense only implementation)</del></li>
<li><del>raise an exception if <code class="notranslate">n_features</code> is not the same in <code class="notranslate">fit</code> and <code class="notranslate">predict</code> or <code class="notranslate">transform</code></del></li>
<li><del><code class="notranslate">__repr__</code> and <code class="notranslate">clone</code> work</del></li>
<li><del>check that we can pickle and unpickle estimators.</del></li>
<li><del>check that all classifiers have a <code class="notranslate">classes_</code> attribute (needs some fixes)</del></li>
</ul>
<hr>
<p dir="auto">Edit by <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/amueller/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/amueller">@amueller</a>!</p>
<p dir="auto">Edit by <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/GaelVaroquaux/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/GaelVaroquaux">@GaelVaroquaux</a> on Aug 13th 2014 to reflect progress in the codebase.</p> | <p dir="auto">I hope this is not a duplicate issue, but it's something I've been thinking about for a while. It would be nice to create a utility function to generate learning curves: both for hyperparameter value vs. score/error, and for number of training samples vs. score/error. It's something I do by-hand very often. I think an interface similar to grid search would work well, with an interface that looks like this:</p>
<p dir="auto">Some setup code:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="from sklearn.linear_model import RidgeClassifier
clf = RidgeClassifier()
from sklearn.datasets import load_digits
digits = load_digits()
X, y = digits.data, digits.target"><pre class="notranslate"><span class="pl-k">from</span> <span class="pl-s1">sklearn</span>.<span class="pl-s1">linear_model</span> <span class="pl-k">import</span> <span class="pl-v">RidgeClassifier</span>
<span class="pl-s1">clf</span> <span class="pl-c1">=</span> <span class="pl-v">RidgeClassifier</span>()
<span class="pl-k">from</span> <span class="pl-s1">sklearn</span>.<span class="pl-s1">datasets</span> <span class="pl-k">import</span> <span class="pl-s1">load_digits</span>
<span class="pl-s1">digits</span> <span class="pl-c1">=</span> <span class="pl-en">load_digits</span>()
<span class="pl-v">X</span>, <span class="pl-s1">y</span> <span class="pl-c1">=</span> <span class="pl-s1">digits</span>.<span class="pl-s1">data</span>, <span class="pl-s1">digits</span>.<span class="pl-s1">target</span></pre></div>
<p dir="auto">Here's the first function we should create (arguments have the same meaning as in <code class="notranslate">GridSearchCV</code>)</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="alpha_range = np.logspace(-2, 2, 50)
train_score, test_score = validation_curve(clf,
param_grid={'alpha':alpha_range},
scoring='accuracy', cv=10)
import matplotlib.pyplot as plt
plt.semilogx(alpha_range, train_score, label='train')
plt.semilogx(alpha_range, test_score, label='test')"><pre class="notranslate"><span class="pl-s1">alpha_range</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-en">logspace</span>(<span class="pl-c1">-</span><span class="pl-c1">2</span>, <span class="pl-c1">2</span>, <span class="pl-c1">50</span>)
<span class="pl-s1">train_score</span>, <span class="pl-s1">test_score</span> <span class="pl-c1">=</span> <span class="pl-en">validation_curve</span>(<span class="pl-s1">clf</span>,
<span class="pl-s1">param_grid</span><span class="pl-c1">=</span>{<span class="pl-s">'alpha'</span>:<span class="pl-s1">alpha_range</span>},
<span class="pl-s1">scoring</span><span class="pl-c1">=</span><span class="pl-s">'accuracy'</span>, <span class="pl-s1">cv</span><span class="pl-c1">=</span><span class="pl-c1">10</span>)
<span class="pl-k">import</span> <span class="pl-s1">matplotlib</span>.<span class="pl-s1">pyplot</span> <span class="pl-k">as</span> <span class="pl-s1">plt</span>
<span class="pl-s1">plt</span>.<span class="pl-en">semilogx</span>(<span class="pl-s1">alpha_range</span>, <span class="pl-s1">train_score</span>, <span class="pl-s1">label</span><span class="pl-c1">=</span><span class="pl-s">'train'</span>)
<span class="pl-s1">plt</span>.<span class="pl-en">semilogx</span>(<span class="pl-s1">alpha_range</span>, <span class="pl-s1">test_score</span>, <span class="pl-s1">label</span><span class="pl-c1">=</span><span class="pl-s">'test'</span>)</pre></div>
<p dir="auto">Here's the second function we should create (same argument meanings):</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="N_range = np.arange(10, int(0.8 * X.shape[0]), 10)
train_score, test_score = learning_curve(clf, N_range,
scoring='accuracy', cv=10)
plt.plot(N_range, train_score, label='train')
plt.plot(N_range, test_score, label='test')"><pre class="notranslate"><span class="pl-v">N_range</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-en">int</span>(<span class="pl-c1">0.8</span> <span class="pl-c1">*</span> <span class="pl-v">X</span>.<span class="pl-s1">shape</span>[<span class="pl-c1">0</span>]), <span class="pl-c1">10</span>)
<span class="pl-s1">train_score</span>, <span class="pl-s1">test_score</span> <span class="pl-c1">=</span> <span class="pl-en">learning_curve</span>(<span class="pl-s1">clf</span>, <span class="pl-v">N_range</span>,
<span class="pl-s1">scoring</span><span class="pl-c1">=</span><span class="pl-s">'accuracy'</span>, <span class="pl-s1">cv</span><span class="pl-c1">=</span><span class="pl-c1">10</span>)
<span class="pl-s1">plt</span>.<span class="pl-en">plot</span>(<span class="pl-v">N_range</span>, <span class="pl-s1">train_score</span>, <span class="pl-s1">label</span><span class="pl-c1">=</span><span class="pl-s">'train'</span>)
<span class="pl-s1">plt</span>.<span class="pl-en">plot</span>(<span class="pl-v">N_range</span>, <span class="pl-s1">test_score</span>, <span class="pl-s1">label</span><span class="pl-c1">=</span><span class="pl-s">'test'</span>)</pre></div>
<p dir="auto">I use this sort of thing all the time both in tutorials and in practice; it would be nice to have this functionality available in a convenience routine. Any thoughts on this?</p> | 0 |
<p dir="auto"><strong>System information</strong></p>
<ul dir="auto">
<li>OS Platform and Distribution: Windows 10</li>
<li>TensorFlow installed from: source</li>
<li>TensorFlow version: 1.12.0</li>
<li>Python version: 3.5</li>
<li>Bazel version (if compiling from source): 0.19.2</li>
<li>CUDA/cuDNN version: No</li>
<li>GPU model and memory: No</li>
</ul>
<p dir="auto"><strong>Problem</strong><br>
I have a build problem when using bazel to build transform-graph. The error is <code class="notranslate">fatal error LNK1120: 4 unresolved externals</code></p>
<p dir="auto"><strong>Commands executed before running into the problem</strong><br>
I've already done <code class="notranslate">set BAZEL_VC=C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC</code><br>
then <code class="notranslate">bazel build tensorflow/tools/graph_transforms:transform_graph --local_resources 2048,.5,1.0</code></p>
<p dir="auto"><strong>Full error log:</strong></p>
<p dir="auto">ERROR: C:/users/administrator/desktop/tensorflow-build/tensorflow/tensorflow/tools/graph_transforms/BUILD:219:1: Linking of rule '//tensorflow/tools/graph_transforms:transform_graph' failed (Exit 1120): link.exe failed: error executing command<br>
cd C:/users/administrator/_bazel_administrator/x7v2faqn/execroot/org_tensorflow<br>
SET LIB=C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\LIB\amd64;C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\ATLMFC\LIB\amd64;C:\Program Files (x86)\Windows Kits\10\lib\10.0.17763.0\ucrt\x64;C:\Program Files (x86)\Windows Kits\NETFXSDK\4.6.1\lib\um\x64;C:\Program Files (x86)\Windows Kits\10\lib\10.0.17763.0\um\x64;<br>
SET PATH=C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\BIN\amd64;C:\WINDOWS\Microsoft.NET\Framework64\v4.0.30319;C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\VCPackages;C:\Program Files (x86)\Microsoft Visual Studio 14.0\Common7\IDE;C:\Program Files (x86)\Microsoft Visual Studio 14.0\Common7\Tools;C:\Program Files (x86)\Microsoft Visual Studio 14.0\Team Tools\Performance Tools\x64;C:\Program Files (x86)\Microsoft Visual Studio 14.0\Team Tools\Performance Tools;C:\Program Files (x86)\Windows Kits\10\bin\x64;C:\Program Files (x86)\Windows Kits\10\bin\x86;C:\Program Files (x86)\Microsoft SDKs\Windows\v10.0A\bin\NETFX 4.6.1 Tools\x64;;C:\WINDOWS\system32<br>
SET PWD=/proc/self/cwd<br>
SET PYTHON_BIN_PATH=C:/Anaconda/envs/tensor/python.exe<br>
SET PYTHON_LIB_PATH=C:/Anaconda/envs/tensor/lib/site-packages<br>
SET TEMP=C:\Users\ADMINI<del>1\AppData\Local\Temp<br>
SET TF_DOWNLOAD_CLANG=0<br>
SET TF_NEED_CUDA=0<br>
SET TF_NEED_OPENCL_SYCL=0<br>
SET TF_NEED_ROCM=0<br>
SET TMP=C:\Users\ADMINI</del>1\AppData\Local\Temp<br>
C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/link.exe /nologo /OUT:bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph.exe /SUBSYSTEM:CONSOLE -DEFAULTLIB:advapi32.lib /MACHINE:X64 @bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph.exe-2.params /OPT:ICF /OPT:REF<br>
LINK : warning LNK4044: unrecognized option '/lpthread'; ignored<br>
Creating library bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph.lib and object bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph.exp<br>
batch_kernels.lo.lib(batch_kernels.obj) : warning LNK4217: locally defined symbol ?DEVICE_CPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_CPU) imported in function "void __cdecl tensorflow::<code class="notranslate">dynamic initializer for 'registrar__body__0__object''(void)" (??__Eregistrar__body__0__object@tensorflow@@YAXXZ) captured_function.lib(captured_function.obj) : warning LNK4049: locally defined symbol ?DEVICE_CPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_CPU) imported arithmetic_optimizer.lib(arithmetic_optimizer.obj) : warning LNK4049: locally defined symbol ?DEVICE_CPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_CPU) imported pin_to_host_optimizer.lib(pin_to_host_optimizer.obj) : warning LNK4049: locally defined symbol ?DEVICE_CPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_CPU) imported arithmetic_optimizer.lib(arithmetic_optimizer.obj) : warning LNK4217: locally defined symbol ?DEVICE_GPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_GPU) imported in function "private: bool __cdecl tensorflow::grappler::</code>anonymous namespace'::ReorderCastAndTranspose::NodeIsOnCpuOrGpu(class tensorflow::NodeDef const *)const " (?NodeIsOnCpuOrGpu@ReorderCastAndTranspose@?A0x2ef8a95a@grappler@tensorflow@@AEBA_NPEBVNodeDef@4@<a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/z/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/z">@z</a>)<br>
layout_optimizer.lib(layout_optimizer.obj) : warning LNK4049: locally defined symbol ?DEVICE_GPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_GPU) imported<br>
pin_to_host_optimizer.lib(pin_to_host_optimizer.obj) : warning LNK4049: locally defined symbol ?DEVICE_GPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_GPU) imported<br>
unicode_script_op.lo.lib(unicode_script_op.obj) : error LNK2019: unresolved external symbol "__declspec(dllimport) public: virtual __cdecl icu_62::ErrorCode::~ErrorCode(void)" (_<em>imp</em>??1ErrorCode@icu_62@<a class="user-mention notranslate" data-hovercard-type="organization" data-hovercard-url="/orgs/UEAA/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/UEAA">@UEAA</a>@XZ) referenced in function "public: virtual void __cdecl tensorflow::UnicodeScriptOp::Compute(class tensorflow::OpKernelContext *)" (?Compute@UnicodeScriptOp@tensorflow@@UEAAXPEAVOpKernelContext@2@<a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/z/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/z">@z</a>)<br>
unicode_script_op.lo.lib(unicode_script_op.obj) : error LNK2019: unresolved external symbol "__declspec(dllimport) public: signed char __cdecl icu_62::ErrorCode::isSuccess(void)const " (_<em>imp</em>?isSuccess@ErrorCode@icu_62@@QEBACXZ) referenced in function "public: virtual void __cdecl tensorflow::UnicodeScriptOp::Compute(class tensorflow::OpKernelContext *)" (?Compute@UnicodeScriptOp@tensorflow@@UEAAXPEAVOpKernelContext@2@<a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/z/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/z">@z</a>)<br>
unicode_script_op.lo.lib(unicode_script_op.obj) : error LNK2019: unresolved external symbol "__declspec(dllimport) public: enum UErrorCode __cdecl icu_62::ErrorCode::reset(void)" (_<em>imp</em>?reset@ErrorCode@icu_62@<a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/qeaa/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/qeaa">@qeaa</a>?AW4UErrorCode@<a class="user-mention notranslate" data-hovercard-type="organization" data-hovercard-url="/orgs/xz/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/xz">@xz</a>) referenced in function "public: virtual void __cdecl tensorflow::UnicodeScriptOp::Compute(class tensorflow::OpKernelContext *)" (?Compute@UnicodeScriptOp@tensorflow@@UEAAXPEAVOpKernelContext@2@<a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/z/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/z">@z</a>)<br>
unicode_script_op.lo.lib(unicode_script_op.obj) : error LNK2019: unresolved external symbol "__declspec(dllimport) const icu_62::ErrorCode::`vftable'" (_<em>imp</em>??_7ErrorCode@icu_62@<a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/6b/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/6b">@6b</a>@) referenced in function "public: virtual void __cdecl tensorflow::UnicodeScriptOp::Compute(class tensorflow::OpKernelContext *)" (?Compute@UnicodeScriptOp@tensorflow@@UEAAXPEAVOpKernelContext@2@<a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/z/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/z">@z</a>)<br>
bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph.exe : fatal error LNK1120: 4 unresolved externals<br>
Target //tensorflow/tools/graph_transforms:transform_graph failed to build<br>
INFO: Elapsed time: 569.319s, Critical Path: 237.59s, Remote (0.00% of the time): [queue: 0.00%, setup: 0.00%, process: 0.00%]<br>
INFO: 0 processes.<br>
FAILED: Build did NOT complete successfully</p> | <p dir="auto"><strong>System information</strong></p>
<ul dir="auto">
<li>OS Platform and Distribution (e.g., Linux Ubuntu 16.04):<br>
windows 10 pro</li>
<li>TensorFlow installed from (source or binary):<br>
source</li>
<li>TensorFlow version:<br>
1.12</li>
<li>Python version:<br>
3.6</li>
<li>Installed using virtualenv? pip? conda?:<br>
conda</li>
<li>Bazel version (if compiling from source):<br>
0.15.2</li>
<li>GCC/Compiler version (if compiling from source):<br>
vs2015 build tools</li>
<li>CUDA/cuDNN version:<br>
9.0/7</li>
<li>GPU model and memory:<br>
2 X pascal6000, 24GB</li>
</ul>
<p dir="auto"><strong>Describe the problem</strong></p>
<p dir="auto">Hi,<br>
i have installed tf 1.12 from source using bazel according to the instruction on site and the build was successful. now i tried building the graph_transforms tool (the reason why i installed tf from source in the first place) but i get the link error in the logs below. i tried following the suggestions in <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="379444971" data-permission-text="Title is private" data-url="https://github.com/tensorflow/tensorflow/issues/23655" data-hovercard-type="issue" data-hovercard-url="/tensorflow/tensorflow/issues/23655/hovercard" href="https://github.com/tensorflow/tensorflow/issues/23655">#23655</a> but i was still getting link errors.<br>
any help on this would be really appreciated, i really want to start using the graph_transforms tool.<br>
thanks</p>
<p dir="auto"><strong>Provide the exact sequence of commands / steps that you executed before running into the problem</strong></p>
<p dir="auto">bazel build tensorflow/tools/graph_transforms:transform_graph</p>
<p dir="auto"><strong>Any other info / logs</strong></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="ERROR: C:/deep/tensorflow/tf-1.12/tensorflow/tensorflow/tools/graph_transforms/BUILD:219:1: Linking of rule '//tensorflow/tools/graph_transforms:transform_graph' failed (Exit 1120): link.exe failed: error executing command
cd C:/users/iariav/_bazel_iariav/6fo6vxbr/execroot/org_tensorflow
SET CUDA_TOOLKIT_PATH=C:/Program Files/NVIDIA GPU Computing Toolkit/CUDA/v9.0
SET CUDNN_INSTALL_PATH=C:/Program Files/NVIDIA GPU Computing Toolkit/CUDA/v9.0
SET INCLUDE=C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\INCLUDE;C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\ATLMFC\INCLUDE;C:\Program Files (x86)\Windows Kits\10\include\10.0.17134.0\ucrt;C:\Program Files (x86)\Windows Kits\NETFXSDK\4.6.1\include\um;C:\Program Files (x86)\Windows Kits\10\include\10.0.17134.0\shared;C:\Program Files (x86)\Windows Kits\10\include\10.0.17134.0\um;C:\Program Files (x86)\Windows Kits\10\include\10.0.17134.0\winrt;
SET LIB=C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\LIB\amd64;C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\ATLMFC\LIB\amd64;C:\Program Files (x86)\Windows Kits\10\lib\10.0.17134.0\ucrt\x64;C:\Program Files (x86)\Windows Kits\NETFXSDK\4.6.1\lib\um\x64;C:\Program Files (x86)\Windows Kits\10\lib\10.0.17134.0\um\x64;
SET PATH=C:\Program Files (x86)\Microsoft Visual Studio 14.0\Common7\IDE\CommonExtensions\Microsoft\TestWindow;C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\BIN\amd64;C:\windows\Microsoft.NET\Framework64\v4.0.30319;C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\VCPackages;C:\Program Files (x86)\Microsoft Visual Studio 14.0\Common7\IDE;C:\Program Files (x86)\Microsoft Visual Studio 14.0\Common7\Tools;C:\Program Files (x86)\Microsoft Visual Studio 14.0\Team Tools\Performance Tools\x64;C:\Program Files (x86)\Microsoft Visual Studio 14.0\Team Tools\Performance Tools;C:\Program Files (x86)\Windows Kits\10\bin\x64;C:\Program Files (x86)\Windows Kits\10\bin\x86;C:\Program Files (x86)\Microsoft SDKs\Windows\v10.0A\bin\NETFX 4.6.1 Tools\x64\;;C:\WINDOWS\system32
SET PWD=/proc/self/cwd
SET PYTHON_BIN_PATH=C:/Users/iariav/Anaconda3/envs/tensorflow-v1.12/python.exe
SET PYTHON_LIB_PATH=C:/Users/iariav/Anaconda3/envs/tensorflow-v1.12/lib/site-packages
SET TEMP=C:\Users\iariav\AppData\Local\Temp
SET TF_CUDA_CLANG=0
SET TF_CUDA_COMPUTE_CAPABILITIES=6.1
SET TF_CUDA_VERSION=9.0
SET TF_CUDNN_VERSION=7
SET TF_NEED_CUDA=1
SET TF_NEED_OPENCL_SYCL=0
SET TF_NEED_ROCM=0
SET TMP=C:\Users\iariav\AppData\Local\Temp
C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/link.exe /nologo /OUT:bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph /SUBSYSTEM:CONSOLE -DEFAULTLIB:advapi32.lib -Wl,-rpath,../local_config_cuda/cuda/lib64 -Wl,-rpath,../local_config_cuda/cuda/extras/CUPTI/lib64 /MACHINE:X64 @bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph-2.params
LINK : warning LNK4044: unrecognized option '/Wl,-rpath,../local_config_cuda/cuda/lib64'; ignored
LINK : warning LNK4044: unrecognized option '/Wl,-rpath,../local_config_cuda/cuda/extras/CUPTI/lib64'; ignored
LINK : warning LNK4044: unrecognized option '/lpthread'; ignored
Creating library bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph.lib and object bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph.exp
libbatch_kernels.lo(batch_kernels.o) : warning LNK4217: locally defined symbol ?DEVICE_CPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_CPU) imported in function "void __cdecl tensorflow::`dynamic initializer for 'registrar__body__0__object''(void)" (??__Eregistrar__body__0__object@tensorflow@@YAXXZ)
libcaptured_function.a(captured_function.o) : warning LNK4049: locally defined symbol ?DEVICE_CPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_CPU) imported
libarithmetic_optimizer.a(arithmetic_optimizer.o) : warning LNK4049: locally defined symbol ?DEVICE_CPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_CPU) imported
libpin_to_host_optimizer.a(pin_to_host_optimizer.o) : warning LNK4049: locally defined symbol ?DEVICE_CPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_CPU) imported
libcuda_platform.lo(cuda_dnn.o) : warning LNK4217: locally defined symbol ?ThenBlasGemm@Stream@stream_executor@@QEAAAEAV12@W4Transpose@blas@2@0_K11MAEBV?$DeviceMemory@M@2@H2HMPEAV52@H@Z (public: class stream_executor::Stream & __cdecl stream_executor::Stream::ThenBlasGemm(enum stream_executor::blas::Transpose,enum stream_executor::blas::Transpose,unsigned __int64,unsigned __int64,unsigned __int64,float,class stream_executor::DeviceMemory<float> const &,int,class stream_executor::DeviceMemory<float> const &,int,float,class stream_executor::DeviceMemory<float> *,int)) imported in function "public: virtual bool __cdecl stream_executor::cuda::CudnnSupport::DoMatMul(class stream_executor::Stream *,class stream_executor::DeviceMemory<float> const &,class stream_executor::DeviceMemory<float> const &,class stream_executor::dnn::BatchDescriptor const &,class stream_executor::dnn::BatchDescriptor const &,class stream_executor::DeviceMemory<float> *)" (?DoMatMul@CudnnSupport@cuda@stream_executor@@UEAA_NPEAVStream@3@AEBV?$DeviceMemory@M@3@1AEBVBatchDescriptor@dnn@3@2PEAV53@@Z)
libarithmetic_optimizer.a(arithmetic_optimizer.o) : warning LNK4217: locally defined symbol ?DEVICE_GPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_GPU) imported in function "private: bool __cdecl tensorflow::grappler::`anonymous namespace'::ReorderCastAndTranspose::NodeIsOnCpuOrGpu(class tensorflow::NodeDef const *)const " (?NodeIsOnCpuOrGpu@ReorderCastAndTranspose@?A0xbb50fe50@grappler@tensorflow@@AEBA_NPEBVNodeDef@4@@Z)
liblayout_optimizer.a(layout_optimizer.o) : warning LNK4049: locally defined symbol ?DEVICE_GPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_GPU) imported
libpin_to_host_optimizer.a(pin_to_host_optimizer.o) : warning LNK4049: locally defined symbol ?DEVICE_GPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_GPU) imported
libunicode_script_op.lo(unicode_script_op.o) : error LNK2019: unresolved external symbol "__declspec(dllimport) public: virtual __cdecl icu_62::ErrorCode::~ErrorCode(void)" (__imp_??1ErrorCode@icu_62@@UEAA@XZ) referenced in function "public: virtual void __cdecl tensorflow::UnicodeScriptOp::Compute(class tensorflow::OpKernelContext *)" (?Compute@UnicodeScriptOp@tensorflow@@UEAAXPEAVOpKernelContext@2@@Z)
libunicode_script_op.lo(unicode_script_op.o) : error LNK2019: unresolved external symbol "__declspec(dllimport) public: signed char __cdecl icu_62::ErrorCode::isSuccess(void)const " (__imp_?isSuccess@ErrorCode@icu_62@@QEBACXZ) referenced in function "public: virtual void __cdecl tensorflow::UnicodeScriptOp::Compute(class tensorflow::OpKernelContext *)" (?Compute@UnicodeScriptOp@tensorflow@@UEAAXPEAVOpKernelContext@2@@Z)
libunicode_script_op.lo(unicode_script_op.o) : error LNK2019: unresolved external symbol "__declspec(dllimport) public: enum UErrorCode __cdecl icu_62::ErrorCode::reset(void)" (__imp_?reset@ErrorCode@icu_62@@QEAA?AW4UErrorCode@@XZ) referenced in function "public: virtual void __cdecl tensorflow::UnicodeScriptOp::Compute(class tensorflow::OpKernelContext *)" (?Compute@UnicodeScriptOp@tensorflow@@UEAAXPEAVOpKernelContext@2@@Z)
libunicode_script_op.lo(unicode_script_op.o) : error LNK2019: unresolved external symbol "__declspec(dllimport) const icu_62::ErrorCode::`vftable'" (__imp_??_7ErrorCode@icu_62@@6B@) referenced in function "public: virtual void __cdecl tensorflow::UnicodeScriptOp::Compute(class tensorflow::OpKernelContext *)" (?Compute@UnicodeScriptOp@tensorflow@@UEAAXPEAVOpKernelContext@2@@Z)
bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph : fatal error LNK1120: 4 unresolved externals
Target //tensorflow/tools/graph_transforms:transform_graph failed to build
INFO: Elapsed time: 782.281s, Critical Path: 295.06s
INFO: 1858 processes: 1858 local.
FAILED: Build did NOT complete successfully"><pre class="notranslate"><code class="notranslate">ERROR: C:/deep/tensorflow/tf-1.12/tensorflow/tensorflow/tools/graph_transforms/BUILD:219:1: Linking of rule '//tensorflow/tools/graph_transforms:transform_graph' failed (Exit 1120): link.exe failed: error executing command
cd C:/users/iariav/_bazel_iariav/6fo6vxbr/execroot/org_tensorflow
SET CUDA_TOOLKIT_PATH=C:/Program Files/NVIDIA GPU Computing Toolkit/CUDA/v9.0
SET CUDNN_INSTALL_PATH=C:/Program Files/NVIDIA GPU Computing Toolkit/CUDA/v9.0
SET INCLUDE=C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\INCLUDE;C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\ATLMFC\INCLUDE;C:\Program Files (x86)\Windows Kits\10\include\10.0.17134.0\ucrt;C:\Program Files (x86)\Windows Kits\NETFXSDK\4.6.1\include\um;C:\Program Files (x86)\Windows Kits\10\include\10.0.17134.0\shared;C:\Program Files (x86)\Windows Kits\10\include\10.0.17134.0\um;C:\Program Files (x86)\Windows Kits\10\include\10.0.17134.0\winrt;
SET LIB=C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\LIB\amd64;C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\ATLMFC\LIB\amd64;C:\Program Files (x86)\Windows Kits\10\lib\10.0.17134.0\ucrt\x64;C:\Program Files (x86)\Windows Kits\NETFXSDK\4.6.1\lib\um\x64;C:\Program Files (x86)\Windows Kits\10\lib\10.0.17134.0\um\x64;
SET PATH=C:\Program Files (x86)\Microsoft Visual Studio 14.0\Common7\IDE\CommonExtensions\Microsoft\TestWindow;C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\BIN\amd64;C:\windows\Microsoft.NET\Framework64\v4.0.30319;C:\Program Files (x86)\Microsoft Visual Studio 14.0\VC\VCPackages;C:\Program Files (x86)\Microsoft Visual Studio 14.0\Common7\IDE;C:\Program Files (x86)\Microsoft Visual Studio 14.0\Common7\Tools;C:\Program Files (x86)\Microsoft Visual Studio 14.0\Team Tools\Performance Tools\x64;C:\Program Files (x86)\Microsoft Visual Studio 14.0\Team Tools\Performance Tools;C:\Program Files (x86)\Windows Kits\10\bin\x64;C:\Program Files (x86)\Windows Kits\10\bin\x86;C:\Program Files (x86)\Microsoft SDKs\Windows\v10.0A\bin\NETFX 4.6.1 Tools\x64\;;C:\WINDOWS\system32
SET PWD=/proc/self/cwd
SET PYTHON_BIN_PATH=C:/Users/iariav/Anaconda3/envs/tensorflow-v1.12/python.exe
SET PYTHON_LIB_PATH=C:/Users/iariav/Anaconda3/envs/tensorflow-v1.12/lib/site-packages
SET TEMP=C:\Users\iariav\AppData\Local\Temp
SET TF_CUDA_CLANG=0
SET TF_CUDA_COMPUTE_CAPABILITIES=6.1
SET TF_CUDA_VERSION=9.0
SET TF_CUDNN_VERSION=7
SET TF_NEED_CUDA=1
SET TF_NEED_OPENCL_SYCL=0
SET TF_NEED_ROCM=0
SET TMP=C:\Users\iariav\AppData\Local\Temp
C:/Program Files (x86)/Microsoft Visual Studio 14.0/VC/bin/amd64/link.exe /nologo /OUT:bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph /SUBSYSTEM:CONSOLE -DEFAULTLIB:advapi32.lib -Wl,-rpath,../local_config_cuda/cuda/lib64 -Wl,-rpath,../local_config_cuda/cuda/extras/CUPTI/lib64 /MACHINE:X64 @bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph-2.params
LINK : warning LNK4044: unrecognized option '/Wl,-rpath,../local_config_cuda/cuda/lib64'; ignored
LINK : warning LNK4044: unrecognized option '/Wl,-rpath,../local_config_cuda/cuda/extras/CUPTI/lib64'; ignored
LINK : warning LNK4044: unrecognized option '/lpthread'; ignored
Creating library bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph.lib and object bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph.exp
libbatch_kernels.lo(batch_kernels.o) : warning LNK4217: locally defined symbol ?DEVICE_CPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_CPU) imported in function "void __cdecl tensorflow::`dynamic initializer for 'registrar__body__0__object''(void)" (??__Eregistrar__body__0__object@tensorflow@@YAXXZ)
libcaptured_function.a(captured_function.o) : warning LNK4049: locally defined symbol ?DEVICE_CPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_CPU) imported
libarithmetic_optimizer.a(arithmetic_optimizer.o) : warning LNK4049: locally defined symbol ?DEVICE_CPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_CPU) imported
libpin_to_host_optimizer.a(pin_to_host_optimizer.o) : warning LNK4049: locally defined symbol ?DEVICE_CPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_CPU) imported
libcuda_platform.lo(cuda_dnn.o) : warning LNK4217: locally defined symbol ?ThenBlasGemm@Stream@stream_executor@@QEAAAEAV12@W4Transpose@blas@2@0_K11MAEBV?$DeviceMemory@M@2@H2HMPEAV52@H@Z (public: class stream_executor::Stream & __cdecl stream_executor::Stream::ThenBlasGemm(enum stream_executor::blas::Transpose,enum stream_executor::blas::Transpose,unsigned __int64,unsigned __int64,unsigned __int64,float,class stream_executor::DeviceMemory<float> const &,int,class stream_executor::DeviceMemory<float> const &,int,float,class stream_executor::DeviceMemory<float> *,int)) imported in function "public: virtual bool __cdecl stream_executor::cuda::CudnnSupport::DoMatMul(class stream_executor::Stream *,class stream_executor::DeviceMemory<float> const &,class stream_executor::DeviceMemory<float> const &,class stream_executor::dnn::BatchDescriptor const &,class stream_executor::dnn::BatchDescriptor const &,class stream_executor::DeviceMemory<float> *)" (?DoMatMul@CudnnSupport@cuda@stream_executor@@UEAA_NPEAVStream@3@AEBV?$DeviceMemory@M@3@1AEBVBatchDescriptor@dnn@3@2PEAV53@@Z)
libarithmetic_optimizer.a(arithmetic_optimizer.o) : warning LNK4217: locally defined symbol ?DEVICE_GPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_GPU) imported in function "private: bool __cdecl tensorflow::grappler::`anonymous namespace'::ReorderCastAndTranspose::NodeIsOnCpuOrGpu(class tensorflow::NodeDef const *)const " (?NodeIsOnCpuOrGpu@ReorderCastAndTranspose@?A0xbb50fe50@grappler@tensorflow@@AEBA_NPEBVNodeDef@4@@Z)
liblayout_optimizer.a(layout_optimizer.o) : warning LNK4049: locally defined symbol ?DEVICE_GPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_GPU) imported
libpin_to_host_optimizer.a(pin_to_host_optimizer.o) : warning LNK4049: locally defined symbol ?DEVICE_GPU@tensorflow@@3QEBDEB (char const * const tensorflow::DEVICE_GPU) imported
libunicode_script_op.lo(unicode_script_op.o) : error LNK2019: unresolved external symbol "__declspec(dllimport) public: virtual __cdecl icu_62::ErrorCode::~ErrorCode(void)" (__imp_??1ErrorCode@icu_62@@UEAA@XZ) referenced in function "public: virtual void __cdecl tensorflow::UnicodeScriptOp::Compute(class tensorflow::OpKernelContext *)" (?Compute@UnicodeScriptOp@tensorflow@@UEAAXPEAVOpKernelContext@2@@Z)
libunicode_script_op.lo(unicode_script_op.o) : error LNK2019: unresolved external symbol "__declspec(dllimport) public: signed char __cdecl icu_62::ErrorCode::isSuccess(void)const " (__imp_?isSuccess@ErrorCode@icu_62@@QEBACXZ) referenced in function "public: virtual void __cdecl tensorflow::UnicodeScriptOp::Compute(class tensorflow::OpKernelContext *)" (?Compute@UnicodeScriptOp@tensorflow@@UEAAXPEAVOpKernelContext@2@@Z)
libunicode_script_op.lo(unicode_script_op.o) : error LNK2019: unresolved external symbol "__declspec(dllimport) public: enum UErrorCode __cdecl icu_62::ErrorCode::reset(void)" (__imp_?reset@ErrorCode@icu_62@@QEAA?AW4UErrorCode@@XZ) referenced in function "public: virtual void __cdecl tensorflow::UnicodeScriptOp::Compute(class tensorflow::OpKernelContext *)" (?Compute@UnicodeScriptOp@tensorflow@@UEAAXPEAVOpKernelContext@2@@Z)
libunicode_script_op.lo(unicode_script_op.o) : error LNK2019: unresolved external symbol "__declspec(dllimport) const icu_62::ErrorCode::`vftable'" (__imp_??_7ErrorCode@icu_62@@6B@) referenced in function "public: virtual void __cdecl tensorflow::UnicodeScriptOp::Compute(class tensorflow::OpKernelContext *)" (?Compute@UnicodeScriptOp@tensorflow@@UEAAXPEAVOpKernelContext@2@@Z)
bazel-out/x64_windows-opt/bin/tensorflow/tools/graph_transforms/transform_graph : fatal error LNK1120: 4 unresolved externals
Target //tensorflow/tools/graph_transforms:transform_graph failed to build
INFO: Elapsed time: 782.281s, Critical Path: 295.06s
INFO: 1858 processes: 1858 local.
FAILED: Build did NOT complete successfully
</code></pre></div> | 1 |
<p dir="auto">In the following example, julia fails to elide the view of the array if the view thinks the underlying array is a matrix rather than a vector.</p>
<div class="highlight highlight-source-julia notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="function matrix_view(a)
@views a[:,1]
0
end
a = randn(3)
A = randn(3,1)
@btime matrix_view($a)
@btime matrix_view($A)
julia> @btime matrix_view($a)
48.592 ns (2 allocations: 96 bytes)
julia> @btime matrix_view($A)
1.541 ns (0 allocations: 0 bytes)"><pre class="notranslate"><span class="pl-k">function</span> <span class="pl-en">matrix_view</span>(a)
<span class="pl-c1">@views</span> a[:,<span class="pl-c1">1</span>]
<span class="pl-c1">0</span>
<span class="pl-k">end</span>
a <span class="pl-k">=</span> <span class="pl-c1">randn</span>(<span class="pl-c1">3</span>)
A <span class="pl-k">=</span> <span class="pl-c1">randn</span>(<span class="pl-c1">3</span>,<span class="pl-c1">1</span>)
<span class="pl-c1">@btime</span> <span class="pl-c1">matrix_view</span>(<span class="pl-k">$</span>a)
<span class="pl-c1">@btime</span> <span class="pl-c1">matrix_view</span>(<span class="pl-k">$</span>A)
julia<span class="pl-k">></span> <span class="pl-c1">@btime</span> <span class="pl-c1">matrix_view</span>(<span class="pl-k">$</span>a)
<span class="pl-c1">48.592</span> ns (<span class="pl-c1">2</span> allocations<span class="pl-k">:</span> <span class="pl-c1">96</span> bytes)
julia<span class="pl-k">></span> <span class="pl-c1">@btime</span> <span class="pl-c1">matrix_view</span>(<span class="pl-k">$</span>A)
<span class="pl-c1">1.541</span> ns (<span class="pl-c1">0</span> allocations<span class="pl-k">:</span> <span class="pl-c1">0</span> bytes)</pre></div>
<p dir="auto">The problem might be related to the fact that the view thinks the parent is a matrix based on the appearance of the indexing expression, which can not be guaranteed.</p>
<div class="highlight highlight-source-julia notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="view(a, :, 1)
3-element view(::Matrix{Float64}, :, 1) with eltype Float64:"><pre class="notranslate"><span class="pl-c1">view</span>(a, :, <span class="pl-c1">1</span>)
<span class="pl-c1">3</span><span class="pl-k">-</span>element <span class="pl-c1">view</span>(<span class="pl-k">::</span><span class="pl-c1">Matrix{Float64}</span>, :, <span class="pl-c1">1</span>) with eltype Float64<span class="pl-k">:</span></pre></div> | <p dir="auto">Taking out the new <code class="notranslate">immutable</code> out for a spin it behaves initially as expected.</p>
<div class="highlight highlight-source-julia notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="
immutable Foo
bar::Int
baz::String
end
qux = Foo(1, "hi")
julia> qux.bar = 2
ERROR: type Foo is immutable"><pre class="notranslate">immutable Foo
bar<span class="pl-k">::</span><span class="pl-c1">Int</span>
baz<span class="pl-k">::</span><span class="pl-c1">String</span>
<span class="pl-k">end</span>
qux <span class="pl-k">=</span> <span class="pl-c1">Foo</span>(<span class="pl-c1">1</span>, <span class="pl-s"><span class="pl-pds">"</span>hi<span class="pl-pds">"</span></span>)
julia<span class="pl-k">></span> qux<span class="pl-k">.</span>bar <span class="pl-k">=</span> <span class="pl-c1">2</span>
ERROR<span class="pl-k">:</span> type Foo is immutable</pre></div>
<p dir="auto">Yeah. But when I use arrays I get a different unexpected behavior ....</p>
<div class="highlight highlight-source-julia notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="immutable Timeseries
timestamp::Vector{CalendarTime}
values::Array
end
bing = Timeseries([now()], [1])
bing.values[1] = 2
julia> bing
Timeseries([2013-03-14],[2])"><pre class="notranslate">immutable Timeseries
timestamp<span class="pl-k">::</span><span class="pl-c1">Vector{CalendarTime}</span>
values<span class="pl-k">::</span><span class="pl-c1">Array</span>
<span class="pl-k">end</span>
bing <span class="pl-k">=</span> <span class="pl-c1">Timeseries</span>([<span class="pl-c1">now</span>()], [<span class="pl-c1">1</span>])
bing<span class="pl-k">.</span>values[<span class="pl-c1">1</span>] <span class="pl-k">=</span> <span class="pl-c1">2</span>
julia<span class="pl-k">></span> bing
<span class="pl-c1">Timeseries</span>([<span class="pl-c1">2013</span><span class="pl-k">-</span><span class="pl-c1">03</span><span class="pl-k">-</span><span class="pl-c1">14</span>],[<span class="pl-c1">2</span>])</pre></div> | 0 |
<p dir="auto">This does not work (note the usage of localhost two times; I am running Vagrant (ssh port 2222) and within the vagrant box I am running a Docker container (ssh port 29007); this container has not been started yet ):</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[hostvessels]
localhost ansible_ssh_user=core ansible_ssh_port=2222 ansible_ssh_private_key_file=/home/thijsterlouw/.vagrant.d/insecure_private_key
[containers]
localhost ansible_ssh_user=root ansible_ssh_port=29007 ansible_ssh_pass=password"><pre class="notranslate"><code class="notranslate">[hostvessels]
localhost ansible_ssh_user=core ansible_ssh_port=2222 ansible_ssh_private_key_file=/home/thijsterlouw/.vagrant.d/insecure_private_key
[containers]
localhost ansible_ssh_user=root ansible_ssh_port=29007 ansible_ssh_pass=password
</code></pre></div>
<p dir="auto">error:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="TASK: [ensure container path for docker.sh] ***********************************
fatal: [localhost] => Authentication failure."><pre class="notranslate"><code class="notranslate">TASK: [ensure container path for docker.sh] ***********************************
fatal: [localhost] => Authentication failure.
</code></pre></div>
<p dir="auto">But this does work (note I renamed the first host):</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[hostvessels]
coreos.vagrant ansible_ssh_user=core ansible_ssh_port=2222 ansible_ssh_private_key_file=/home/thijsterlouw/.vagrant.d/insecure_private_key
[containers]
localhost ansible_ssh_user=root ansible_ssh_port=29007 ansible_ssh_pass=password"><pre class="notranslate"><code class="notranslate">[hostvessels]
coreos.vagrant ansible_ssh_user=core ansible_ssh_port=2222 ansible_ssh_private_key_file=/home/thijsterlouw/.vagrant.d/insecure_private_key
[containers]
localhost ansible_ssh_user=root ansible_ssh_port=29007 ansible_ssh_pass=password
</code></pre></div>
<p dir="auto">Where coreos.vagrant is mapped in /etc/hosts to 127.0.0.1</p>
<p dir="auto">I am running this with</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="ansible-playbook -i generated/servers.ini static/site.yml --tags="predeploy,deploy""><pre class="notranslate"><code class="notranslate">ansible-playbook -i generated/servers.ini static/site.yml --tags="predeploy,deploy"
</code></pre></div>
<p dir="auto">The container inside the Vagrant box is not yet running, but this should be ignored because I am only performing tasks that hit the hostvessels.</p>
<p dir="auto">Why does Ansible think the host is down, even though the appropriate ssh port is perfectly available. Looks like a bug to me.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="ansible --version
ansible 1.4"><pre class="notranslate"><code class="notranslate">ansible --version
ansible 1.4
</code></pre></div> | <p dir="auto">This is duplicate of <a href="https://github.com/ansible/ansible/issues/5934" data-hovercard-type="issue" data-hovercard-url="/ansible/ansible/issues/5934/hovercard">#5934</a>!</p>
<h5 dir="auto">Issue Type:</h5>
<p dir="auto">Bug Report</p>
<h5 dir="auto">Ansible Version:</h5>
<p dir="auto">1.9.4</p>
<h5 dir="auto">Ansible Configuration:</h5>
<p dir="auto">Original.</p>
<h5 dir="auto">Environment:</h5>
<p dir="auto">OS X Yosemite 10.10.5 (14F1021)</p>
<h5 dir="auto">Summary:</h5>
<p dir="auto">inventory</p>
<div class="highlight highlight-source-ini notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="[vagrant]
192.168.56.132 ansible_ssh_user=vagrant ansible_ssh_private_key_file=.vagrant/machines/default/virtualbox/private_key"><pre class="notranslate"><span class="pl-en">[vagrant]</span>
192.168.56.132 <span class="pl-k">ansible_ssh_user</span>=vagrant <span class="pl-k">ansible_ssh_private_key_file</span>=.vagrant/machines/default/virtualbox/private_key</pre></div>
<p dir="auto">provision.yml</p>
<div class="highlight highlight-source-yaml notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="- hosts: all
gather_facts: yes
sudo: yes
tasks:
- synchronize:
src: ./
dest: "/var/lib/jenkins"
archive: no
recursive: yes
sudo: yes"><pre class="notranslate">- <span class="pl-ent">hosts</span>: <span class="pl-s">all</span>
<span class="pl-ent">gather_facts</span>: <span class="pl-s">yes</span>
<span class="pl-ent">sudo</span>: <span class="pl-s">yes</span>
<span class="pl-ent">tasks</span>:
- <span class="pl-ent">synchronize</span>:
<span class="pl-ent">src</span>: <span class="pl-s">./</span>
<span class="pl-ent">dest</span>: <span class="pl-s"><span class="pl-pds">"</span>/var/lib/jenkins<span class="pl-pds">"</span></span>
<span class="pl-ent">archive</span>: <span class="pl-s">no</span>
<span class="pl-ent">recursive</span>: <span class="pl-s">yes</span>
<span class="pl-ent">sudo</span>: <span class="pl-s">yes</span></pre></div>
<h5 dir="auto">Steps To Reproduce:</h5>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="ansible-playbook -vvvv provision.yml -i inventory --limit=vagrant"><pre class="notranslate">ansible-playbook -vvvv provision.yml -i inventory --limit=vagrant</pre></div>
<h5 dir="auto">Expected Results:</h5>
<p dir="auto"><code class="notranslate">synchronize</code> should not ask for a password, as other tasks do.</p>
<h5 dir="auto">Actual Results:</h5>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="<127.0.0.1> EXEC ['/bin/sh', '-c', 'mkdir -p $HOME/.ansible/tmp/ansible-tmp-1447416965.06-222404616716035 && chmod a+rx $HOME/.ansible/tmp/ansible-tmp-1447416965.06-222404616716035 && echo $HOME/.ansible/tmp/ansible-tmp-1447416965.06-222404616716035']
<127.0.0.1> PUT /var/folders/72/r_f79s2974q5b59cq0f7c1wh0000gn/T/tmpTRff6u TO /Users/BR0kEN/.ansible/tmp/ansible-tmp-1447416965.06-222404616716035/synchronize
<127.0.0.1> EXEC ['/bin/sh', '-c', u'LANG=en_US.UTF-8 LC_CTYPE=en_US.UTF-8 /usr/bin/python /Users/BR0kEN/.ansible/tmp/ansible-tmp-1447416965.06-222404616716035/synchronize; rm -rf /Users/BR0kEN/.ansible/tmp/ansible-tmp-1447416965.06-222404616716035/ >/dev/null 2>&1']
[email protected]'s password:"><pre class="notranslate"><code class="notranslate"><127.0.0.1> EXEC ['/bin/sh', '-c', 'mkdir -p $HOME/.ansible/tmp/ansible-tmp-1447416965.06-222404616716035 && chmod a+rx $HOME/.ansible/tmp/ansible-tmp-1447416965.06-222404616716035 && echo $HOME/.ansible/tmp/ansible-tmp-1447416965.06-222404616716035']
<127.0.0.1> PUT /var/folders/72/r_f79s2974q5b59cq0f7c1wh0000gn/T/tmpTRff6u TO /Users/BR0kEN/.ansible/tmp/ansible-tmp-1447416965.06-222404616716035/synchronize
<127.0.0.1> EXEC ['/bin/sh', '-c', u'LANG=en_US.UTF-8 LC_CTYPE=en_US.UTF-8 /usr/bin/python /Users/BR0kEN/.ansible/tmp/ansible-tmp-1447416965.06-222404616716035/synchronize; rm -rf /Users/BR0kEN/.ansible/tmp/ansible-tmp-1447416965.06-222404616716035/ >/dev/null 2>&1']
[email protected]'s password:
</code></pre></div>
<h5 dir="auto">Debugging steps:</h5>
<p dir="auto">I've go to <code class="notranslate">ansible/modules/core/files/synchronize.py</code> and put <code class="notranslate">print(cmdstr)</code> before <code class="notranslate">(rc, out, err) = module.run_command(cmd)</code>. Module generated the next command:</p>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="rsync --delay-updates -F --compress --recursive --rsh 'ssh -i .vagrant/machines/default/virtualbox/private_key -S none -o StrictHostKeyChecking=no' --rsync-path="sudo rsync" --out-format='<<CHANGED>>%i %n%L' "/Users/BR0kEN/cibox/aae/provisioning/roles/cibox-jenkins/files/" "[email protected]:/var/lib/jenkins""><pre class="notranslate">rsync --delay-updates -F --compress --recursive --rsh <span class="pl-s"><span class="pl-pds">'</span>ssh -i .vagrant/machines/default/virtualbox/private_key -S none -o StrictHostKeyChecking=no<span class="pl-pds">'</span></span> --rsync-path=<span class="pl-s"><span class="pl-pds">"</span>sudo rsync<span class="pl-pds">"</span></span> --out-format=<span class="pl-s"><span class="pl-pds">'</span><<CHANGED>>%i %n%L<span class="pl-pds">'</span></span> <span class="pl-s"><span class="pl-pds">"</span>/Users/BR0kEN/cibox/aae/provisioning/roles/cibox-jenkins/files/<span class="pl-pds">"</span></span> <span class="pl-s"><span class="pl-pds">"</span>[email protected]:/var/lib/jenkins<span class="pl-pds">"</span></span></pre></div>
<p dir="auto"><strong>And even more:</strong></p>
<p dir="auto">Open the <code class="notranslate">ansible/runner/__init__.py</code> and put <code class="notranslate">print(cmd)</code> before <code class="notranslate">res = self._low_level_exec_command(conn, cmd, tmp, become=self.become, sudoable=sudoable, in_data=in_data)</code>. Module generated something like:</p>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="LANG=en_US.UTF-8 LC_CTYPE=en_US.UTF-8 /usr/bin/python /Users/BR0kEN/.ansible/tmp/ansible-tmp-1447418694.04-11945943198607/synchronize; rm -rf /Users/BR0kEN/.ansible/tmp/ansible-tmp-1447418694.04-11945943198607/ >/dev/null 2>&1"><pre class="notranslate">LANG=en_US.UTF-8 LC_CTYPE=en_US.UTF-8 /usr/bin/python /Users/BR0kEN/.ansible/tmp/ansible-tmp-1447418694.04-11945943198607/synchronize<span class="pl-k">;</span> rm -rf /Users/BR0kEN/.ansible/tmp/ansible-tmp-1447418694.04-11945943198607/ <span class="pl-k">></span>/dev/null <span class="pl-k">2>&1</span></pre></div>
<p dir="auto">When I execute one of these raw commands, then everything fine.</p> | 0 |
<ul dir="auto">
<li>Electron version: v1.0.2</li>
<li>Operating system: Windows 10</li>
</ul>
<p dir="auto">I'm trying to evaluate jQuery frameworks for use with Electron/Angular.</p>
<p dir="auto">However, the $(document).ready is never called on my page, so the UI elements never "light up".</p>
<p dir="auto">I've tried jQuery several packages, and while they all work in a Web app, they all fail to work in Electron.</p>
<p dir="auto"><strong>What am I missing to make them work?</strong></p>
<p dir="auto"><strong>main.js</strong></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="const {app, BrowserWindow} = require('electron');
var mainWindow = null;
app.on('window-all-closed', () => {
if (process.platform != 'darwin') {
app.quit();
}
});
app.on('ready', () => {
mainWindow = new BrowserWindow({width: 800, height: 600});
mainWindow.loadURL(`file://${__dirname}/jqwidgets.html`);
mainWindow.on('closed', () => {
mainWindow = null;
});
});"><pre class="notranslate"><code class="notranslate">const {app, BrowserWindow} = require('electron');
var mainWindow = null;
app.on('window-all-closed', () => {
if (process.platform != 'darwin') {
app.quit();
}
});
app.on('ready', () => {
mainWindow = new BrowserWindow({width: 800, height: 600});
mainWindow.loadURL(`file://${__dirname}/jqwidgets.html`);
mainWindow.on('closed', () => {
mainWindow = null;
});
});
</code></pre></div>
<p dir="auto"><strong>jqwidgets.html</strong></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="<!DOCTYPE html>
<html lang="en">
<head>
<meta name="keywords" content="jQuery Splitter, Splitter Widget, Splitter, jqxSplitter" />
<meta name="description" content="This page demonstrates splitter's events" />
<title id='Description'>This demonstration shows how to trigger the jqxSplitter events.
</title>
<link rel="stylesheet" href="jqwidgets/jqwidgets/styles/jqx.base.css" type="text/css"/>
<script type="text/javascript" src="jqwidgets/scripts/jquery-1.11.1.min.js"></script>
<script type="text/javascript" src="jqwidgets/jqwidgets/jqxcore.js"></script>
<script type="text/javascript" src="jqwidgets/jqwidgets/jqxbuttons.js"></script>
<script type="text/javascript" src="jqwidgets/jqwidgets/jqxsplitter.js"></script>
<script type="text/javascript" src="jqwidgets/jqwidgets/jqxscrollbar.js"></script>
<script type="text/javascript" src="jqwidgets/jqwidgets/jqxpanel.js"></script>
<script type="text/javascript">
$(document).ready(function () {
alert('hi')
$('#mainSplitter').jqxSplitter({ width: 600, height: 480, panels: [{ size: 200}] });
$('#mainSplitter').on('resize', function (event) {
displayEvent(event);
});
$('#mainSplitter').on('expanded', function (event) {
displayEvent(event);
});
$('#mainSplitter').on('collapsed', function (event) {
displayEvent(event);
});
function capitaliseFirstLetter(string) {
return string.charAt(0).toUpperCase() + string.slice(1);
}
function displayEvent(event) {
var eventData = "Event:" + capitaliseFirstLetter(event.type);
eventData += ", Panel 1: " + event.args.panels[0].size;
eventData += ", Panel 2: " + event.args.panels[1].size;
$('#events').jqxPanel('prepend', '<div class="item" style="margin-top: 5px;">' + eventData + '</div>');
}
$('#events').jqxPanel({height: '100px', width: '450px' });
});
</script>
</head>
<body class='default'>
<div id='jqxWidget'>
<div id="container" style="float: left">
<div id="mainSplitter">
<div class="splitter-panel" style="background-color:#F5FFF2;"><span style="margin: 5px;">Panel 1</span></div>
<div class="splitter-panel" style="background-color:#F5FFF2;"><span style="margin: 5px;">Panel 2</span></div>
</div>
<br />
<div style="font-family: Verdana; font-size: 13;">
Events:</div>
<div id="events" style="border-width: 0px;">
</div>
</div>
</div>
</body>
</html>"><pre class="notranslate"><code class="notranslate"><!DOCTYPE html>
<html lang="en">
<head>
<meta name="keywords" content="jQuery Splitter, Splitter Widget, Splitter, jqxSplitter" />
<meta name="description" content="This page demonstrates splitter's events" />
<title id='Description'>This demonstration shows how to trigger the jqxSplitter events.
</title>
<link rel="stylesheet" href="jqwidgets/jqwidgets/styles/jqx.base.css" type="text/css"/>
<script type="text/javascript" src="jqwidgets/scripts/jquery-1.11.1.min.js"></script>
<script type="text/javascript" src="jqwidgets/jqwidgets/jqxcore.js"></script>
<script type="text/javascript" src="jqwidgets/jqwidgets/jqxbuttons.js"></script>
<script type="text/javascript" src="jqwidgets/jqwidgets/jqxsplitter.js"></script>
<script type="text/javascript" src="jqwidgets/jqwidgets/jqxscrollbar.js"></script>
<script type="text/javascript" src="jqwidgets/jqwidgets/jqxpanel.js"></script>
<script type="text/javascript">
$(document).ready(function () {
alert('hi')
$('#mainSplitter').jqxSplitter({ width: 600, height: 480, panels: [{ size: 200}] });
$('#mainSplitter').on('resize', function (event) {
displayEvent(event);
});
$('#mainSplitter').on('expanded', function (event) {
displayEvent(event);
});
$('#mainSplitter').on('collapsed', function (event) {
displayEvent(event);
});
function capitaliseFirstLetter(string) {
return string.charAt(0).toUpperCase() + string.slice(1);
}
function displayEvent(event) {
var eventData = "Event:" + capitaliseFirstLetter(event.type);
eventData += ", Panel 1: " + event.args.panels[0].size;
eventData += ", Panel 2: " + event.args.panels[1].size;
$('#events').jqxPanel('prepend', '<div class="item" style="margin-top: 5px;">' + eventData + '</div>');
}
$('#events').jqxPanel({height: '100px', width: '450px' });
});
</script>
</head>
<body class='default'>
<div id='jqxWidget'>
<div id="container" style="float: left">
<div id="mainSplitter">
<div class="splitter-panel" style="background-color:#F5FFF2;"><span style="margin: 5px;">Panel 1</span></div>
<div class="splitter-panel" style="background-color:#F5FFF2;"><span style="margin: 5px;">Panel 2</span></div>
</div>
<br />
<div style="font-family: Verdana; font-size: 13;">
Events:</div>
<div id="events" style="border-width: 0px;">
</div>
</div>
</div>
</body>
</html>
</code></pre></div> | <p dir="auto">jQuery contains something along this lines:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="if ( typeof module === "object" && typeof module.exports === "object" ) {
// set jQuery in `module`
} else {
// set jQuery in `window`
}"><pre class="notranslate"><span class="pl-k">if</span> <span class="pl-kos">(</span> <span class="pl-k">typeof</span> <span class="pl-smi">module</span> <span class="pl-c1">===</span> <span class="pl-s">"object"</span> <span class="pl-c1">&&</span> <span class="pl-k">typeof</span> <span class="pl-smi">module</span><span class="pl-kos">.</span><span class="pl-c1">exports</span> <span class="pl-c1">===</span> <span class="pl-s">"object"</span> <span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-c">// set jQuery in `module`</span>
<span class="pl-kos">}</span> <span class="pl-k">else</span> <span class="pl-kos">{</span>
<span class="pl-c">// set jQuery in `window`</span>
<span class="pl-kos">}</span></pre></div>
<p dir="auto">module is defined, even in the browser-side scripts. This causes jQuery to ignore the <code class="notranslate">window</code> object and use <code class="notranslate">module</code>, so the other scripts won't find <code class="notranslate">$</code> nor <code class="notranslate">jQuery</code> in global scope..</p>
<p dir="auto">I am not sure if this is a jQuery or atom-shell bug, but I wanted to put this on the web, so others won't search as long as I did.</p> | 1 |
<h4 dir="auto">Description</h4>
<p dir="auto">Setting the train_size to 50 does not result in the correct size of the train indices.</p>
<h4 dir="auto">Steps/Code to Reproduce</h4>
<p dir="auto">Example:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="from sklearn.datasets import fetch_mldata
from sklearn.cross_validation import StratifiedShuffleSplit
def get_dataset():
from sklearn.datasets import fetch_mldata
mnist = fetch_mldata('MNIST original')
# rescale the data, use the traditional train/test split
X, y = mnist.data / 255., mnist.target
test_size = 60000
X_train, X_test = X[:test_size], X[60000:]
y_train, y_test = y[:test_size], y[60000:]
return (X_train, y_train, X_test, y_test)
X_train, y_train, X_test, y_test = get_dataset()
seed = 1337
n_iter = 1
train_size = 100
sss = StratifiedShuffleSplit(y_train.reshape(-1), n_iter,
train_size=train_size, random_state=seed)
for train_indices, test_indices in sss:
print "Train indices:", len(train_indices)
print "Test indices:", len(test_indices)
assert(train_size == len(train_indices))"><pre class="notranslate"><span class="pl-k">from</span> <span class="pl-s1">sklearn</span>.<span class="pl-s1">datasets</span> <span class="pl-k">import</span> <span class="pl-s1">fetch_mldata</span>
<span class="pl-k">from</span> <span class="pl-s1">sklearn</span>.<span class="pl-s1">cross_validation</span> <span class="pl-k">import</span> <span class="pl-v">StratifiedShuffleSplit</span>
<span class="pl-k">def</span> <span class="pl-en">get_dataset</span>():
<span class="pl-k">from</span> <span class="pl-s1">sklearn</span>.<span class="pl-s1">datasets</span> <span class="pl-k">import</span> <span class="pl-s1">fetch_mldata</span>
<span class="pl-s1">mnist</span> <span class="pl-c1">=</span> <span class="pl-en">fetch_mldata</span>(<span class="pl-s">'MNIST original'</span>)
<span class="pl-c"># rescale the data, use the traditional train/test split</span>
<span class="pl-v">X</span>, <span class="pl-s1">y</span> <span class="pl-c1">=</span> <span class="pl-s1">mnist</span>.<span class="pl-s1">data</span> <span class="pl-c1">/</span> <span class="pl-c1">255.</span>, <span class="pl-s1">mnist</span>.<span class="pl-s1">target</span>
<span class="pl-s1">test_size</span> <span class="pl-c1">=</span> <span class="pl-c1">60000</span>
<span class="pl-v">X_train</span>, <span class="pl-v">X_test</span> <span class="pl-c1">=</span> <span class="pl-v">X</span>[:<span class="pl-s1">test_size</span>], <span class="pl-v">X</span>[<span class="pl-c1">60000</span>:]
<span class="pl-s1">y_train</span>, <span class="pl-s1">y_test</span> <span class="pl-c1">=</span> <span class="pl-s1">y</span>[:<span class="pl-s1">test_size</span>], <span class="pl-s1">y</span>[<span class="pl-c1">60000</span>:]
<span class="pl-k">return</span> (<span class="pl-v">X_train</span>, <span class="pl-s1">y_train</span>, <span class="pl-v">X_test</span>, <span class="pl-s1">y_test</span>)
<span class="pl-v">X_train</span>, <span class="pl-s1">y_train</span>, <span class="pl-v">X_test</span>, <span class="pl-s1">y_test</span> <span class="pl-c1">=</span> <span class="pl-en">get_dataset</span>()
<span class="pl-s1">seed</span> <span class="pl-c1">=</span> <span class="pl-c1">1337</span>
<span class="pl-s1">n_iter</span> <span class="pl-c1">=</span> <span class="pl-c1">1</span>
<span class="pl-s1">train_size</span> <span class="pl-c1">=</span> <span class="pl-c1">100</span>
<span class="pl-s1">sss</span> <span class="pl-c1">=</span> <span class="pl-v">StratifiedShuffleSplit</span>(<span class="pl-s1">y_train</span>.<span class="pl-en">reshape</span>(<span class="pl-c1">-</span><span class="pl-c1">1</span>), <span class="pl-s1">n_iter</span>,
<span class="pl-s1">train_size</span><span class="pl-c1">=</span><span class="pl-s1">train_size</span>, <span class="pl-s1">random_state</span><span class="pl-c1">=</span><span class="pl-s1">seed</span>)
<span class="pl-k">for</span> <span class="pl-s1">train_indices</span>, <span class="pl-s1">test_indices</span> <span class="pl-c1">in</span> <span class="pl-s1">sss</span>:
<span class="pl-k">print</span> <span class="pl-s">"Train indices:"</span>, <span class="pl-en">len</span>(<span class="pl-s1">train_indices</span>)
<span class="pl-k">print</span> <span class="pl-s">"Test indices:"</span>, <span class="pl-en">len</span>(<span class="pl-s1">test_indices</span>)
<span class="pl-k">assert</span>(<span class="pl-s1">train_size</span> <span class="pl-c1">==</span> <span class="pl-en">len</span>(<span class="pl-s1">train_indices</span>))</pre></div>
<h4 dir="auto">Expected Results</h4>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Train indices: 50
Test indices: 6000"><pre class="notranslate"><code class="notranslate">Train indices: 50
Test indices: 6000
</code></pre></div>
<h4 dir="auto">Actual Results</h4>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Train indices: 54000
Test indices: 6000
Traceback (most recent call last):
File "stratisfied_shuffle_split_bug.py", line 23, in <module>
assert(50 == len(train_indices))
AssertionError"><pre class="notranslate"><code class="notranslate">Train indices: 54000
Test indices: 6000
Traceback (most recent call last):
File "stratisfied_shuffle_split_bug.py", line 23, in <module>
assert(50 == len(train_indices))
AssertionError
</code></pre></div>
<h4 dir="auto">Additional Information</h4>
<p dir="auto"><code class="notranslate">train_size = 50</code> seems to be a magic line. All other options I tested, like <code class="notranslate">train_size = 25</code> and <code class="notranslate">train_size = 100</code> result in the expected output.</p>
<h5 dir="auto">Setting <code class="notranslate">test_size</code> results in a 1 off error</h5>
<p dir="auto">Setting <code class="notranslate">test_size = 50</code> instead of the train_size results in:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Train indices: 59949
Test indices: 51"><pre class="notranslate"><code class="notranslate">Train indices: 59949
Test indices: 51
</code></pre></div>
<h4 dir="auto">Versions</h4>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=">>> import platform; print(platform.platform())
Darwin-15.6.0-x86_64-i386-64bit
>>> import sys; print("Python", sys.version)
('Python', '2.7.12 (default, Jun 29 2016, 14:05:02) \n[GCC 4.2.1 Compatible Apple LLVM 7.3.0 (clang-703.0.31)]')
>>> import numpy; print("NumPy", numpy.__version__)
('NumPy', '1.11.1')
>>> import scipy; print("SciPy", scipy.__version__)
('SciPy', '0.18.0')
>>> import sklearn; print("Scikit-Learn", sklearn.__version__)
('Scikit-Learn', '0.17.1')"><pre class="notranslate"><code class="notranslate">>>> import platform; print(platform.platform())
Darwin-15.6.0-x86_64-i386-64bit
>>> import sys; print("Python", sys.version)
('Python', '2.7.12 (default, Jun 29 2016, 14:05:02) \n[GCC 4.2.1 Compatible Apple LLVM 7.3.0 (clang-703.0.31)]')
>>> import numpy; print("NumPy", numpy.__version__)
('NumPy', '1.11.1')
>>> import scipy; print("SciPy", scipy.__version__)
('SciPy', '0.18.0')
>>> import sklearn; print("Scikit-Learn", sklearn.__version__)
('Scikit-Learn', '0.17.1')
</code></pre></div> | <div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="y = [0, 1, 2, 3] * 3 + [4, 5] * 5
X = np.ones_like(y)
splits = StratifiedShuffleSplit(n_iter=1, train_size=11, test_size=11, random_state=0)
train, test = next(iter(splits.split(X=X, y=y)))
assert_array_equal(np.intersect1d(train, test), [])
assert_equal(len(train), 11)
assert_equal(len(test), 11)"><pre class="notranslate"><span class="pl-s1">y</span> <span class="pl-c1">=</span> [<span class="pl-c1">0</span>, <span class="pl-c1">1</span>, <span class="pl-c1">2</span>, <span class="pl-c1">3</span>] <span class="pl-c1">*</span> <span class="pl-c1">3</span> <span class="pl-c1">+</span> [<span class="pl-c1">4</span>, <span class="pl-c1">5</span>] <span class="pl-c1">*</span> <span class="pl-c1">5</span>
<span class="pl-v">X</span> <span class="pl-c1">=</span> <span class="pl-s1">np</span>.<span class="pl-en">ones_like</span>(<span class="pl-s1">y</span>)
<span class="pl-s1">splits</span> <span class="pl-c1">=</span> <span class="pl-v">StratifiedShuffleSplit</span>(<span class="pl-s1">n_iter</span><span class="pl-c1">=</span><span class="pl-c1">1</span>, <span class="pl-s1">train_size</span><span class="pl-c1">=</span><span class="pl-c1">11</span>, <span class="pl-s1">test_size</span><span class="pl-c1">=</span><span class="pl-c1">11</span>, <span class="pl-s1">random_state</span><span class="pl-c1">=</span><span class="pl-c1">0</span>)
<span class="pl-s1">train</span>, <span class="pl-s1">test</span> <span class="pl-c1">=</span> <span class="pl-en">next</span>(<span class="pl-en">iter</span>(<span class="pl-s1">splits</span>.<span class="pl-en">split</span>(<span class="pl-v">X</span><span class="pl-c1">=</span><span class="pl-v">X</span>, <span class="pl-s1">y</span><span class="pl-c1">=</span><span class="pl-s1">y</span>)))
<span class="pl-en">assert_array_equal</span>(<span class="pl-s1">np</span>.<span class="pl-en">intersect1d</span>(<span class="pl-s1">train</span>, <span class="pl-s1">test</span>), [])
<span class="pl-en">assert_equal</span>(<span class="pl-en">len</span>(<span class="pl-s1">train</span>), <span class="pl-c1">11</span>)
<span class="pl-en">assert_equal</span>(<span class="pl-en">len</span>(<span class="pl-s1">test</span>), <span class="pl-c1">11</span>)</pre></div>
<blockquote>
<p dir="auto">raise self.failureException('12 != 11')</p>
</blockquote>
<p dir="auto">this is a follow-up on <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="134250379" data-permission-text="Title is private" data-url="https://github.com/scikit-learn/scikit-learn/issues/6379" data-hovercard-type="pull_request" data-hovercard-url="/scikit-learn/scikit-learn/pull/6379/hovercard" href="https://github.com/scikit-learn/scikit-learn/pull/6379">#6379</a> and a sign that the logic is too complex. I'm doing a rewrite to fix this bug but it is not as clean as I'd like.</p> | 1 |
<p dir="auto">Do you plan to add Typescript definition file?</p> | <p dir="auto">I have a small problem; I'm in love with two things at the same time: Typescript and Vue.<br>
I tried a handfull different approaches to make them work together; using TS modules and/or classes with public/private/static properties to shim vue components is the best i got.<br>
I love the intelisense, autocompletion and error hints i get by doing so!<br>
But after all it is kind of hacky.</p>
<p dir="auto">I wanted to ask you what you think about Typescript? Do you think it is possible to bring them togeher in a more natural way?<br>
Maybe refactoring some parts of your extend routine (to make some of its internals reachable from a typescript construtor) could make a huge difference.</p> | 1 |
<p dir="auto">It seems that the scikit-learn test job that runs against numpy master found a breaking change in numpy:</p>
<p dir="auto"><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="374460441" data-permission-text="Title is private" data-url="https://github.com/scikit-learn/scikit-learn/issues/12467" data-hovercard-type="pull_request" data-hovercard-url="/scikit-learn/scikit-learn/pull/12467/hovercard" href="https://github.com/scikit-learn/scikit-learn/pull/12467">scikit-learn/scikit-learn#12467</a></p>
<p dir="auto">Minimal reproduction case:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=">>> import numpy as np
>>> np.__version__
'1.16.0.dev0+8aa1214'
>>> np.vstack([0] for _ in range(3))
Traceback (most recent call last):
File "<ipython-input-5-842ad8069d40>", line 1, in <module>
np.vstack([0] for _ in range(3))
File "/opt/venvs/py37/lib/python3.7/site-packages/numpy/core/overrides.py", line 151, in public_api
implementation, public_api, relevant_args, args, kwargs)
File "/opt/venvs/py37/lib/python3.7/site-packages/numpy/core/overrides.py", line 96, in array_function_implementation_or_override
return implementation(*args, **kwargs)
File "/opt/venvs/py37/lib/python3.7/site-packages/numpy/core/shape_base.py", line 260, in vstack
return _nx.concatenate([atleast_2d(_m) for _m in tup], 0)
File "/opt/venvs/py37/lib/python3.7/site-packages/numpy/core/overrides.py", line 151, in public_api
implementation, public_api, relevant_args, args, kwargs)
File "/opt/venvs/py37/lib/python3.7/site-packages/numpy/core/overrides.py", line 96, in array_function_implementation_or_override
return implementation(*args, **kwargs)
File "/opt/venvs/py37/lib/python3.7/site-packages/numpy/core/multiarray.py", line 193, in concatenate
return _multiarray_umath.concatenate(arrays, axis, out)
ValueError: need at least one array to concatenate"><pre class="notranslate"><span class="pl-c1">>></span><span class="pl-c1">></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">>></span><span class="pl-c1">></span> <span class="pl-s1">np</span>.<span class="pl-s1">__version__</span>
<span class="pl-s">'1.16.0.dev0+8aa1214'</span>
<span class="pl-c1">>></span><span class="pl-c1">></span> <span class="pl-s1">np</span>.<span class="pl-en">vstack</span>([<span class="pl-c1">0</span>] <span class="pl-k">for</span> <span class="pl-s1">_</span> <span class="pl-c1">in</span> <span class="pl-en">range</span>(<span class="pl-c1">3</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">"<ipython-input-5-842ad8069d40>"</span>, <span class="pl-s1">line</span> <span class="pl-c1">1</span>, <span class="pl-s1">in</span> <span class="pl-c1"><</span><span class="pl-s1">module</span><span class="pl-c1">></span>
<span class="pl-s1">np</span>.<span class="pl-en">vstack</span>([<span class="pl-c1">0</span>] <span class="pl-k">for</span> <span class="pl-s1">_</span> <span class="pl-c1">in</span> <span class="pl-en">range</span>(<span class="pl-c1">3</span>))
<span class="pl-v">File</span> <span class="pl-s">"/opt/venvs/py37/lib/python3.7/site-packages/numpy/core/overrides.py"</span>, <span class="pl-s1">line</span> <span class="pl-c1">151</span>, <span class="pl-s1">in</span> <span class="pl-s1">public_api</span>
<span class="pl-s1">implementation</span>, <span class="pl-s1">public_api</span>, <span class="pl-s1">relevant_args</span>, <span class="pl-s1">args</span>, <span class="pl-s1">kwargs</span>)
<span class="pl-v">File</span> <span class="pl-s">"/opt/venvs/py37/lib/python3.7/site-packages/numpy/core/overrides.py"</span>, <span class="pl-s1">line</span> <span class="pl-c1">96</span>, <span class="pl-s1">in</span> <span class="pl-s1">array_function_implementation_or_override</span>
<span class="pl-k">return</span> <span class="pl-en">implementation</span>(<span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-v">File</span> <span class="pl-s">"/opt/venvs/py37/lib/python3.7/site-packages/numpy/core/shape_base.py"</span>, <span class="pl-s1">line</span> <span class="pl-c1">260</span>, <span class="pl-s1">in</span> <span class="pl-s1">vstack</span>
<span class="pl-k">return</span> <span class="pl-s1">_nx</span>.<span class="pl-en">concatenate</span>([<span class="pl-en">atleast_2d</span>(<span class="pl-s1">_m</span>) <span class="pl-k">for</span> <span class="pl-s1">_m</span> <span class="pl-c1">in</span> <span class="pl-s1">tup</span>], <span class="pl-c1">0</span>)
<span class="pl-v">File</span> <span class="pl-s">"/opt/venvs/py37/lib/python3.7/site-packages/numpy/core/overrides.py"</span>, <span class="pl-s1">line</span> <span class="pl-c1">151</span>, <span class="pl-s1">in</span> <span class="pl-s1">public_api</span>
<span class="pl-s1">implementation</span>, <span class="pl-s1">public_api</span>, <span class="pl-s1">relevant_args</span>, <span class="pl-s1">args</span>, <span class="pl-s1">kwargs</span>)
<span class="pl-v">File</span> <span class="pl-s">"/opt/venvs/py37/lib/python3.7/site-packages/numpy/core/overrides.py"</span>, <span class="pl-s1">line</span> <span class="pl-c1">96</span>, <span class="pl-s1">in</span> <span class="pl-s1">array_function_implementation_or_override</span>
<span class="pl-k">return</span> <span class="pl-en">implementation</span>(<span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-v">File</span> <span class="pl-s">"/opt/venvs/py37/lib/python3.7/site-packages/numpy/core/multiarray.py"</span>, <span class="pl-s1">line</span> <span class="pl-c1">193</span>, <span class="pl-s1">in</span> <span class="pl-s1">concatenate</span>
<span class="pl-k">return</span> <span class="pl-s1">_multiarray_umath</span>.<span class="pl-en">concatenate</span>(<span class="pl-s1">arrays</span>, <span class="pl-s1">axis</span>, <span class="pl-s1">out</span>)
<span class="pl-v">ValueError</span>: <span class="pl-s1">need</span> <span class="pl-s1">at</span> <span class="pl-s1">least</span> <span class="pl-s1">one</span> <span class="pl-s1">array</span> <span class="pl-s1">to</span> <span class="pl-s1">concatenate</span></pre></div>
<p dir="auto">This used to work in past versions of numpy:</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=">>> import numpy as np
>>> np.__version__
'1.14.5'
>>> np.vstack([0] for _ in range(3))
array([[0],
[0],
[0]])"><pre class="notranslate"><span class="pl-c1">>></span><span class="pl-c1">></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">>></span><span class="pl-c1">></span> <span class="pl-s1">np</span>.<span class="pl-s1">__version__</span>
<span class="pl-s">'1.14.5'</span>
<span class="pl-c1">>></span><span class="pl-c1">></span> <span class="pl-s1">np</span>.<span class="pl-en">vstack</span>([<span class="pl-c1">0</span>] <span class="pl-k">for</span> <span class="pl-s1">_</span> <span class="pl-c1">in</span> <span class="pl-en">range</span>(<span class="pl-c1">3</span>))
<span class="pl-en">array</span>([[<span class="pl-c1">0</span>],
[<span class="pl-c1">0</span>],
[<span class="pl-c1">0</span>]])</pre></div> | <p dir="auto">As reported by <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/ilayn/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/ilayn">@ilayn</a> over in <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="374172452" data-permission-text="Title is private" data-url="https://github.com/numpy/numpy/issues/12262" data-hovercard-type="issue" data-hovercard-url="/numpy/numpy/issues/12262/hovercard" href="https://github.com/numpy/numpy/issues/12262">#12262</a>:</p>
<blockquote>
<p dir="auto">There are other backwards incompatible changes for hstack and column_stack which were explicitly accepting generator expressions but now they don't.</p>
<p dir="auto">Xref : <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="374158906" data-permission-text="Title is private" data-url="https://github.com/scipy/scipy/issues/9405" data-hovercard-type="pull_request" data-hovercard-url="/scipy/scipy/pull/9405/hovercard" href="https://github.com/scipy/scipy/pull/9405">scipy/scipy#9405</a></p>
</blockquote> | 1 |
<h1 dir="auto">What / Why</h1>
<blockquote>
<p dir="auto">ERR! cb() never called!</p>
</blockquote>
<h2 dir="auto">When</h2>
<ul dir="auto">
<li>n/a</li>
</ul>
<h2 dir="auto">Where</h2>
<ul dir="auto">
<li>n/a</li>
</ul>
<h2 dir="auto">How</h2>
<h3 dir="auto">Current Behavior</h3>
<p dir="auto">*npm install jQuery -S</p>
<h3 dir="auto">Steps to Reproduce</h3>
<ul dir="auto">
<li>n/a</li>
</ul>
<h3 dir="auto">Expected Behavior</h3>
<ul dir="auto">
<li>n/a</li>
</ul>
<h2 dir="auto">Who</h2>
<ul dir="auto">
<li>n/a</li>
</ul>
<h2 dir="auto">References</h2>
<ul dir="auto">
<li>n/a</li>
</ul> | <h3 dir="auto">*Updated* as of 01/15/2021</h3>
<p dir="auto"><strong>Note: Please read <a href="https://github.com/npm/cli/wiki/%22cb()-never-called%3F-Exit-handler-never-called%3F-I'm-having-the-same-problem!%22">this doc</a> before filing a new issue.</strong></p> | 1 |
<p dir="auto">I noticed that compound assignment won't work with certain operators, like |> and ∘.</p>
<p dir="auto">For example, the following code gives the error "ERROR: syntax: unexpected "="" on line 2:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="a = 2
a |>= exp "><pre class="notranslate"><code class="notranslate">a = 2
a |>= exp
</code></pre></div>
<p dir="auto">But if I say, redefine the * operator as |>, it works perfectly:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import Base.*
* = |>
a = 2
a *= exp"><pre class="notranslate"><code class="notranslate">import Base.*
* = |>
a = 2
a *= exp
</code></pre></div>
<p dir="auto">outputs 7.389, as it should. The same thing happens with the function composition operator. So clearly the language is able to do this, the parser just doesn't handle it properly with all operators. I tried this in both 0.6.4 and 0.7 and got the same results. Is there some deeper reason why this doesn't currently work?</p> | <p dir="auto">Only a subset of available operators allow the shorthand <code class="notranslate">OPERATOR=</code> notation. I think the current situation is that only ASCII operators are covered.<br>
e.g.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="julia> a ×= b
ERROR: syntax: unexpected "="
in eval(::Module, ::Any) at ./boot.jl:236"><pre class="notranslate"><code class="notranslate">julia> a ×= b
ERROR: syntax: unexpected "="
in eval(::Module, ::Any) at ./boot.jl:236
</code></pre></div>
<p dir="auto">I think it would be reasonable if all operators which allow binary infix syntax would also allow the shorthand. (This came up when I defined a custom <code class="notranslate">⊗</code> operator.)</p> | 1 |
<p dir="auto">Hello there !</p>
<p dir="auto">On any golang version (1.5 or 1.6 ).</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="# http://play.golang.org/p/71ZtR0mX9K
package main
import (
"encoding/json"
"fmt"
)
type FooBar struct {
Foo int `json:"Foo,omitempty"`
Bar int `json:"Bar,omitempty"`
}
var (
foo1 = `{"Foo": 1}`
bar1 = `{"Bar": 1}`
)
func main() {
fb := FooBar{}
json.Unmarshal([]byte(foo1), &fb)
fmt.Printf("%+v\n", fb)
json.Unmarshal([]byte(bar1), &fb)
fmt.Printf("%+v\n", fb)
}"><pre class="notranslate"><code class="notranslate"># http://play.golang.org/p/71ZtR0mX9K
package main
import (
"encoding/json"
"fmt"
)
type FooBar struct {
Foo int `json:"Foo,omitempty"`
Bar int `json:"Bar,omitempty"`
}
var (
foo1 = `{"Foo": 1}`
bar1 = `{"Bar": 1}`
)
func main() {
fb := FooBar{}
json.Unmarshal([]byte(foo1), &fb)
fmt.Printf("%+v\n", fb)
json.Unmarshal([]byte(bar1), &fb)
fmt.Printf("%+v\n", fb)
}
</code></pre></div>
<p dir="auto">outputs</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="{Foo:1 Bar:0}
{Foo:1 Bar:0}"><pre class="notranslate"><code class="notranslate">{Foo:1 Bar:0}
{Foo:1 Bar:0}
</code></pre></div>
<p dir="auto">I assume it's because as its not set it's considered empty and omitted.</p>
<p dir="auto">But this can provoque weird behaviours when you reuse structs twice or have an unmarshal loop that read a file. Or worse, when you rewrite a that file with a loop in a different format.</p>
<hr>
<p dir="auto">Possible solutions:</p>
<ul dir="auto">
<li>add a <code class="notranslate">reset()</code> builtin, the one that's called just after allocation ? How would that work with pointers ?</li>
<li>make the encoding pkgs reset unset fields in <em>Unmarshal</em> using reflection ?</li>
<li>just tell people to be careful</li>
</ul>
<p dir="auto">cheers !</p> | <pre class="notranslate">I have a program that listens on tcp port 8080, gets its *net.TCPListener's File()
*os.File, and passes that to a child process via exec.Command.ExtraFiles. The idea is
for the child to then use that listener with net.FileListener.
As a test, I wanted to verify that the child would fail to re-listen on that port.
On Linux, as expected, the child gets an error trying to re-listen on port 8080.
On OS X, the listen succeeds (and lsof shows two entries with identical contents), but
the accept hangs forever on the second dup listener (which in itself isn't surprising).
What's surprising is that the dup Listen even succeeded.
I'd like to know if OS X just sucks, or we have some portability problem here.
I can refine this to a test case, but filing this bug before I forget.</pre> | 0 |
<p dir="auto">Two FIXMEs in simpleext: "/* FIXME: handle embedded types and blocks, at least */" in <code class="notranslate">p_t_s_rec</code> and "FIXME: check duplicates (or just simplify the macro arg situation)" in <code class="notranslate">add_new_extension</code>. I don't pretend to have any understanding of this code, so that's all I'll say.</p>
<p dir="auto">The first one at least seems to have been added by <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/marijnh/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/marijnh">@marijnh</a> , so assigning to him.</p> | <p dir="auto">Given these two files:</p>
<div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="// foo.rs
#[link(name="foo",vers="0.0")];
#[crate_type = "lib"];
use std::hashmap::HashMap;
pub type map = @mut HashMap<uint, uint>;
// end of foo.rs"><pre class="notranslate"><span class="pl-c">// foo.rs</span>
<span class="pl-c1">#<span class="pl-kos">[</span>link<span class="pl-kos">(</span>name=<span class="pl-s">"foo"</span><span class="pl-kos">,</span>vers=<span class="pl-s">"0.0"</span><span class="pl-kos">)</span><span class="pl-kos">]</span></span><span class="pl-kos">;</span>
<span class="pl-c1">#<span class="pl-kos">[</span>crate_type = <span class="pl-s">"lib"</span><span class="pl-kos">]</span></span><span class="pl-kos">;</span>
<span class="pl-k">use</span> std<span class="pl-kos">::</span>hashmap<span class="pl-kos">::</span><span class="pl-v">HashMap</span><span class="pl-kos">;</span>
<span class="pl-k">pub</span> <span class="pl-k">type</span> <span class="pl-smi">map</span> = @<span class="pl-k">mut</span> <span class="pl-smi">HashMap</span><span class="pl-kos"><</span><span class="pl-smi">uint</span><span class="pl-kos">,</span> <span class="pl-smi">uint</span><span class="pl-kos">></span><span class="pl-kos">;</span>
<span class="pl-c">// end of foo.rs</span></pre></div>
<div class="highlight highlight-source-rust notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="// bar.rs
extern mod foo;
fn foo(a: foo::map) {
if false {
fail!();
} else {
let _b = a.get(&2); // error may for this line; doesn't happen if "let _b" is omitted
}
}
fn main() {}
// end of bar.rs"><pre class="notranslate"><span class="pl-c">// bar.rs</span>
<span class="pl-k">extern</span> <span class="pl-k">mod</span> foo<span class="pl-kos">;</span>
<span class="pl-k">fn</span> <span class="pl-en">foo</span><span class="pl-kos">(</span><span class="pl-s1">a</span><span class="pl-kos">:</span> foo<span class="pl-kos">::</span><span class="pl-smi">map</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">if</span> <span class="pl-c1">false</span> <span class="pl-kos">{</span>
<span class="pl-en">fail</span><span class="pl-en">!</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">else</span> <span class="pl-kos">{</span>
<span class="pl-k">let</span> _b = a<span class="pl-kos">.</span><span class="pl-en">get</span><span class="pl-kos">(</span><span class="pl-c1">&</span><span class="pl-c1">2</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-c">// error may for this line; doesn't happen if "let _b" is omitted</span>
<span class="pl-kos">}</span>
<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-kos">}</span>
<span class="pl-c">// end of bar.rs</span></pre></div>
<p dir="auto">Yield this result:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ rustc foo.rs && rustc -L . bar.rs
warning: no debug symbols in executable (-arch x86_64)
error: internal compiler error: no enclosing scope with id 18"><pre class="notranslate"><code class="notranslate">$ rustc foo.rs && rustc -L . bar.rs
warning: no debug symbols in executable (-arch x86_64)
error: internal compiler error: no enclosing scope with id 18
</code></pre></div> | 0 |
<h3 dir="auto">System info</h3>
<ul dir="auto">
<li>Playwright Version: [v1.32.0 (Java)]</li>
<li>Operating System: [macOS 13.3]</li>
<li>Browser: [Firefox, WebKit, (Chromium unclear)]</li>
<li>Other info:</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"> I provided exact source code that allows reproducing the issue locally.</li>
</ul>
<p dir="auto">My website asynchronously navigates to another page while I am trying to use locators like this in a loop (because I am waiting for one of two locators to become visible):</p>
<div class="highlight highlight-source-java notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="navbar
.locator(LOGGED_IN_NAVBAR_SELECTOR)
.locator(ACCOUNT_MENU_BUTTON_SELECTOR)
.isVisible();"><pre class="notranslate"><span class="pl-s1">navbar</span>
.<span class="pl-en">locator</span>(<span class="pl-c1">LOGGED_IN_NAVBAR_SELECTOR</span>)
.<span class="pl-en">locator</span>(<span class="pl-c1">ACCOUNT_MENU_BUTTON_SELECTOR</span>)
.<span class="pl-en">isVisible</span>();</pre></div>
<p dir="auto">This results in an error "Execution context was destroyed". I have reproduced this on Webkit and Firefox, but could not manage to reproduce it with Chromium. It's not happening every time because of the racy nature of the async navigation. I don't know if Chromium doesn't have this problem or the timing is just different, thereby avoiding the error.</p>
<p dir="auto">Stack trace on Webkit:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="com.microsoft.playwright.PlaywrightException: Error {
message='Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
name='Error
stack='Error: Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
at Frame._contextDestroyed (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/frames.js:1446:30)
at WKPage._removeContextsForFrame (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkPage.js:453:32)
at WKPage._onFrameNavigated (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkPage.js:438:10)
at WKSession.<anonymous> (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkPage.js:389:127)
at WKSession.emit (node:events:513:28)
at /private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkConnection.js:172:41
at runNextTicks (node:internal/process/task_queues:60:5)
at process.processImmediate (node:internal/timers:447:9)
}
at com.microsoft.playwright.impl.WaitableResult.get(WaitableResult.java:54)
at com.microsoft.playwright.impl.ChannelOwner.runUntil(ChannelOwner.java:111)
at com.microsoft.playwright.impl.Connection.sendMessage(Connection.java:126)
at com.microsoft.playwright.impl.ChannelOwner.sendMessage(ChannelOwner.java:102)
at com.microsoft.playwright.impl.FrameImpl.isVisibleImpl(FrameImpl.java:641)
at com.microsoft.playwright.impl.FrameImpl.lambda$isVisible$29(FrameImpl.java:627)
at com.microsoft.playwright.impl.LoggingSupport.withLogging(LoggingSupport.java:47)
at com.microsoft.playwright.impl.ChannelOwner.withLogging(ChannelOwner.java:87)
at com.microsoft.playwright.impl.FrameImpl.isVisible(FrameImpl.java:627)
at com.microsoft.playwright.impl.LocatorImpl.isVisible(LocatorImpl.java:374)
at com.microsoft.playwright.Locator.isVisible(Locator.java:3668)
<... project specific frames ...>
Caused by: com.microsoft.playwright.impl.DriverException: Error {
message='Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
name='Error
stack='Error: Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
at Frame._contextDestroyed (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/frames.js:1446:30)
at WKPage._removeContextsForFrame (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkPage.js:453:32)
at WKPage._onFrameNavigated (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkPage.js:438:10)
at WKSession.<anonymous> (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkPage.js:389:127)
at WKSession.emit (node:events:513:28)
at /private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkConnection.js:172:41
at runNextTicks (node:internal/process/task_queues:60:5)
at process.processImmediate (node:internal/timers:447:9)
}
at com.microsoft.playwright.impl.Connection.dispatch(Connection.java:226)
at com.microsoft.playwright.impl.Connection.processOneMessage(Connection.java:206)
at com.microsoft.playwright.impl.ChannelOwner.runUntil(ChannelOwner.java:109)
... 53 more"><pre class="notranslate"><code class="notranslate">com.microsoft.playwright.PlaywrightException: Error {
message='Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
name='Error
stack='Error: Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
at Frame._contextDestroyed (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/frames.js:1446:30)
at WKPage._removeContextsForFrame (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkPage.js:453:32)
at WKPage._onFrameNavigated (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkPage.js:438:10)
at WKSession.<anonymous> (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkPage.js:389:127)
at WKSession.emit (node:events:513:28)
at /private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkConnection.js:172:41
at runNextTicks (node:internal/process/task_queues:60:5)
at process.processImmediate (node:internal/timers:447:9)
}
at com.microsoft.playwright.impl.WaitableResult.get(WaitableResult.java:54)
at com.microsoft.playwright.impl.ChannelOwner.runUntil(ChannelOwner.java:111)
at com.microsoft.playwright.impl.Connection.sendMessage(Connection.java:126)
at com.microsoft.playwright.impl.ChannelOwner.sendMessage(ChannelOwner.java:102)
at com.microsoft.playwright.impl.FrameImpl.isVisibleImpl(FrameImpl.java:641)
at com.microsoft.playwright.impl.FrameImpl.lambda$isVisible$29(FrameImpl.java:627)
at com.microsoft.playwright.impl.LoggingSupport.withLogging(LoggingSupport.java:47)
at com.microsoft.playwright.impl.ChannelOwner.withLogging(ChannelOwner.java:87)
at com.microsoft.playwright.impl.FrameImpl.isVisible(FrameImpl.java:627)
at com.microsoft.playwright.impl.LocatorImpl.isVisible(LocatorImpl.java:374)
at com.microsoft.playwright.Locator.isVisible(Locator.java:3668)
<... project specific frames ...>
Caused by: com.microsoft.playwright.impl.DriverException: Error {
message='Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
name='Error
stack='Error: Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
at Frame._contextDestroyed (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/frames.js:1446:30)
at WKPage._removeContextsForFrame (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkPage.js:453:32)
at WKPage._onFrameNavigated (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkPage.js:438:10)
at WKSession.<anonymous> (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkPage.js:389:127)
at WKSession.emit (node:events:513:28)
at /private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-4016531511947763690/package/lib/server/webkit/wkConnection.js:172:41
at runNextTicks (node:internal/process/task_queues:60:5)
at process.processImmediate (node:internal/timers:447:9)
}
at com.microsoft.playwright.impl.Connection.dispatch(Connection.java:226)
at com.microsoft.playwright.impl.Connection.processOneMessage(Connection.java:206)
at com.microsoft.playwright.impl.ChannelOwner.runUntil(ChannelOwner.java:109)
... 53 more
</code></pre></div>
<p dir="auto">Firefox stack trace:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="com.microsoft.playwright.PlaywrightException: Error {
message='Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
name='Error
stack='Error: Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
at Frame._contextDestroyed (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/frames.js:1446:30)
at FFPage._onExecutionContextDestroyed (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/firefox/ffPage.js:141:19)
at FFPage._onExecutionContextsCleared (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/firefox/ffPage.js:144:88)
at FFSession.emit (node:events:513:28)
at /private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/firefox/ffConnection.js:204:41
at runNextTicks (node:internal/process/task_queues:60:5)
at process.processImmediate (node:internal/timers:447:9)
}
at com.microsoft.playwright.impl.WaitableResult.get(WaitableResult.java:54)
at com.microsoft.playwright.impl.ChannelOwner.runUntil(ChannelOwner.java:111)
at com.microsoft.playwright.impl.Connection.sendMessage(Connection.java:126)
at com.microsoft.playwright.impl.ChannelOwner.sendMessage(ChannelOwner.java:102)
at com.microsoft.playwright.impl.FrameImpl.isVisibleImpl(FrameImpl.java:641)
at com.microsoft.playwright.impl.FrameImpl.lambda$isVisible$29(FrameImpl.java:627)
at com.microsoft.playwright.impl.LoggingSupport.withLogging(LoggingSupport.java:47)
at com.microsoft.playwright.impl.ChannelOwner.withLogging(ChannelOwner.java:87)
at com.microsoft.playwright.impl.FrameImpl.isVisible(FrameImpl.java:627)
at com.microsoft.playwright.impl.LocatorImpl.isVisible(LocatorImpl.java:374)
at com.microsoft.playwright.Locator.isVisible(Locator.java:3668)
< ... project specific frames ... >
Caused by: com.microsoft.playwright.impl.DriverException: Error {
message='Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
name='Error
stack='Error: Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
at Frame._contextDestroyed (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/frames.js:1446:30)
at FFPage._onExecutionContextDestroyed (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/firefox/ffPage.js:141:19)
at FFPage._onExecutionContextsCleared (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/firefox/ffPage.js:144:88)
at FFSession.emit (node:events:513:28)
at /private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/firefox/ffConnection.js:204:41
at runNextTicks (node:internal/process/task_queues:60:5)
at process.processImmediate (node:internal/timers:447:9)
}
at com.microsoft.playwright.impl.Connection.dispatch(Connection.java:226)
at com.microsoft.playwright.impl.Connection.processOneMessage(Connection.java:206)
at com.microsoft.playwright.impl.ChannelOwner.runUntil(ChannelOwner.java:109)
... 53 more"><pre class="notranslate"><code class="notranslate">com.microsoft.playwright.PlaywrightException: Error {
message='Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
name='Error
stack='Error: Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
at Frame._contextDestroyed (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/frames.js:1446:30)
at FFPage._onExecutionContextDestroyed (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/firefox/ffPage.js:141:19)
at FFPage._onExecutionContextsCleared (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/firefox/ffPage.js:144:88)
at FFSession.emit (node:events:513:28)
at /private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/firefox/ffConnection.js:204:41
at runNextTicks (node:internal/process/task_queues:60:5)
at process.processImmediate (node:internal/timers:447:9)
}
at com.microsoft.playwright.impl.WaitableResult.get(WaitableResult.java:54)
at com.microsoft.playwright.impl.ChannelOwner.runUntil(ChannelOwner.java:111)
at com.microsoft.playwright.impl.Connection.sendMessage(Connection.java:126)
at com.microsoft.playwright.impl.ChannelOwner.sendMessage(ChannelOwner.java:102)
at com.microsoft.playwright.impl.FrameImpl.isVisibleImpl(FrameImpl.java:641)
at com.microsoft.playwright.impl.FrameImpl.lambda$isVisible$29(FrameImpl.java:627)
at com.microsoft.playwright.impl.LoggingSupport.withLogging(LoggingSupport.java:47)
at com.microsoft.playwright.impl.ChannelOwner.withLogging(ChannelOwner.java:87)
at com.microsoft.playwright.impl.FrameImpl.isVisible(FrameImpl.java:627)
at com.microsoft.playwright.impl.LocatorImpl.isVisible(LocatorImpl.java:374)
at com.microsoft.playwright.Locator.isVisible(Locator.java:3668)
< ... project specific frames ... >
Caused by: com.microsoft.playwright.impl.DriverException: Error {
message='Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
name='Error
stack='Error: Execution context was destroyed, most likely because of a navigation
=========================== logs ===========================
checking visibility of locator("app-navbar").locator("app-logged-in-navbar").locator("button:has-text('arrow_drop_down')")
============================================================
at Frame._contextDestroyed (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/frames.js:1446:30)
at FFPage._onExecutionContextDestroyed (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/firefox/ffPage.js:141:19)
at FFPage._onExecutionContextsCleared (/private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/firefox/ffPage.js:144:88)
at FFSession.emit (node:events:513:28)
at /private/var/folders/l5/mt5xnj_14rn9j4lsnfs5n9b40000gn/T/playwright-java-12798600472171551690/package/lib/server/firefox/ffConnection.js:204:41
at runNextTicks (node:internal/process/task_queues:60:5)
at process.processImmediate (node:internal/timers:447:9)
}
at com.microsoft.playwright.impl.Connection.dispatch(Connection.java:226)
at com.microsoft.playwright.impl.Connection.processOneMessage(Connection.java:206)
at com.microsoft.playwright.impl.ChannelOwner.runUntil(ChannelOwner.java:109)
... 53 more
</code></pre></div>
<p dir="auto">This is actually the same issue as <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="1346215944" data-permission-text="Title is private" data-url="https://github.com/microsoft/playwright/issues/16720" data-hovercard-type="issue" data-hovercard-url="/microsoft/playwright/issues/16720/hovercard" href="https://github.com/microsoft/playwright/issues/16720">#16720</a><br>
The solution there was to use <code class="notranslate">assertThat(locator).isVisible</code>.</p>
<p dir="auto">This doesn't work here, because I am manually waiting for one of two conditions to occur, so I need to use <code class="notranslate">Locator.isVisible</code>.</p>
<p dir="auto">Previously this was "solved" (?) by putting a <code class="notranslate">Page.waitForLoadState(LoadState.NETWORKIDLE)</code> in front of the visibility checking loop. This presumably worked because the async navigation happens shortly after loading the page, so it would have happened during the NETWORKIDLE waiting, after which the execution context is stable.</p>
<p dir="auto">I now removed the <code class="notranslate">waitForLoadState</code> because NETWORKIDLE is discouraged, and asserting for web elements is recommended, per <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="1701622812" data-permission-text="Title is private" data-url="https://github.com/microsoft/playwright/issues/22897" data-hovercard-type="issue" data-hovercard-url="/microsoft/playwright/issues/22897/hovercard?comment_id=1540452266&comment_type=issue_comment" href="https://github.com/microsoft/playwright/issues/22897#issuecomment-1540452266">#22897 (comment)</a></p>
<p dir="auto">But then this bug got triggered instead.</p> | <p dir="auto">I would like to suggest an enhancement for the Playwright testing framework. Currently, when using the codegen/selector picker feature, it would be beneficial to have the ability to exclude certain types of selectors from being generated. For example, in cases where I am using a framework that assigns a unique ID to each element, I would like to disable the "#ids" selector option to prevent the codegen from randomly selecting one of these dynamically generated IDs.</p>
<p dir="auto"><strong>Proposed Solution:</strong><br>
I propose two possible solutions to address this issue:</p>
<ul dir="auto">
<li>
<p dir="auto">Ability to Eliminate Selectors: It would be helpful to have a configuration option or flag that allows users to specify certain types of selectors to be excluded from the codegen/selector picker. This way, I can indicate that the "#ids" selector should be ignored, and the codegen will not generate code using this selector type.</p>
</li>
<li>
<p dir="auto">Selection Range of Available Selectors: Alternatively, providing a range of available selectors to choose from during code generation would also be beneficial. This would allow me to manually select the desired selector type from the available options, excluding the ones I do not wish to use, such as "#ids".</p>
</li>
</ul>
<p dir="auto">I believe these enhancements would greatly improve the flexibility and usability of the Playwright testing framework, especially in scenarios where specific selectors need to be ignored or selected manually.</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer" href="https://user-images.githubusercontent.com/54599584/239590508-ec7e04c2-c9e8-4385-8c3d-08a5ad3745d5.png"><img src="https://user-images.githubusercontent.com/54599584/239590508-ec7e04c2-c9e8-4385-8c3d-08a5ad3745d5.png" alt="image" style="max-width: 100%;"></a></p>
<p dir="auto">examples how Aqua (Jetbrains Testing IDE) implemented an feature simular<br>
<a target="_blank" rel="noopener noreferrer" href="https://user-images.githubusercontent.com/54599584/239590661-d7e76201-ee33-4ded-9adc-626ef18df318.png"><img src="https://user-images.githubusercontent.com/54599584/239590661-d7e76201-ee33-4ded-9adc-626ef18df318.png" alt="image" style="max-width: 100%;"></a><br>
<a target="_blank" rel="noopener noreferrer" href="https://user-images.githubusercontent.com/54599584/239590687-09c21c6f-a0b6-49d9-ae2b-42536046b6fe.png"><img src="https://user-images.githubusercontent.com/54599584/239590687-09c21c6f-a0b6-49d9-ae2b-42536046b6fe.png" alt="image" style="max-width: 100%;"></a></p> | 0 |
<p dir="auto">by <strong>claudiu.garba</strong>:</p>
<pre class="notranslate">When trying to parse a huge csv file(450MB) the memory increase at 1.2GB, with a spike
at 1.6GB. The amount of time to finish the program is ~ 1,30 minutes.
OS: mac osx
go version :1.2, 64biti
code here: <a href="http://play.golang.org/p/jrVSqCcMpQ" rel="nofollow">http://play.golang.org/p/jrVSqCcMpQ</a>
The csv file has 450MB and ~ 1 milion rows. The code just print in terminal the current
row.
The csv has some errors inside, like missing comma, or spaces.
When I run the program, it stops for 10 seconds and then the memory increase from 600MB
to 1.6GB then, remain at 1.2GB.</pre>
<p dir="auto">Attachments:</p>
<ol dir="auto">
<li><a href="https://storage.googleapis.com/go-attachment/8059/0/small.txt" rel="nofollow">small.txt</a> (2993 bytes)</li>
</ol> | <pre class="notranslate">I'm attempting to wrap libusb so I can interface with my kinect. I have basic control
working and have written the bulk and interrupt code, but isochronous requires using the
asynchronous API, which cgo seems to be having trouble with.
Consider the following code:
/* iso.go */
package usb
// #include <libusb-1.0/libusb.h>
import "C"
type Transfer C.struct_libusb_transfer
/* end */
The struct is documented here:
<a href="http://libusb.sourceforge.net/api-1.0/structlibusb__transfer.html" rel="nofollow">http://libusb.sourceforge.net/api-1.0/structlibusb__transfer.html</a>
and defined here (see line 765):
<a href="http://libusb.sourceforge.net/api-1.0/libusb_8h_source.html" rel="nofollow">http://libusb.sourceforge.net/api-1.0/libusb_8h_source.html</a>
notably:
{...
struct libusb_iso_packet_descriptor iso_packet_desc[0];
...}
and cgo reports:
iso.go:7:15: struct size calculation error off=72 bytesize=64
$ gcc --version
i686-apple-darwin11-llvm-gcc-4.2 (GCC) 4.2.1 (Based on Apple Inc. build 5658) (LLVM
build 2335.15.00)
Copyright (C) 2007 Free Software Foundation, Inc.
This is free software; see the source for copying conditions. There is NO
warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.
$ go version
go version go1
$ go env
GOROOT="/opt/go"
GOBIN=""
GOARCH="amd64"
GOCHAR="6"
GOOS="darwin"
GOEXE=""
GOHOSTARCH="amd64"
GOHOSTOS="darwin"
GOTOOLDIR="/opt/go/pkg/tool/darwin_amd64"
GOGCCFLAGS="-g -O2 -fPIC -m64 -pthread -fno-common"
CGO_ENABLED="1"</pre> | 0 |
<p dir="auto">Basically most times I want to make a dialog that instead of having a defined size takes all the available size (up to maxSize=xs/md...) instead of adapting to the content size. To do this I had to make my own style around it:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import { default as Dialog, DialogProps } from 'material-ui/Dialog';
import withStyles from 'material-ui/styles/withStyles';
import * as React from 'react';
export const FullWidthDialog = withStyles<DialogProps>(
{
paper: {
width: '100%'
}
}
)(
(props: DialogProps) => {
const { children, ...others } = props;
return (
<Dialog
{...others}
>
{children}
</Dialog>
);
}
);"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-kos">{</span> <span class="pl-s1">default</span> <span class="pl-k">as</span> <span class="pl-v">Dialog</span><span class="pl-kos">,</span> <span class="pl-v">DialogProps</span> <span class="pl-kos">}</span> <span class="pl-k">from</span> <span class="pl-s">'material-ui/Dialog'</span><span class="pl-kos">;</span>
<span class="pl-k">import</span> <span class="pl-s1">withStyles</span> <span class="pl-k">from</span> <span class="pl-s">'material-ui/styles/withStyles'</span><span class="pl-kos">;</span>
<span class="pl-k">import</span> <span class="pl-c1">*</span> <span class="pl-k">as</span> <span class="pl-v">React</span> <span class="pl-k">from</span> <span class="pl-s">'react'</span><span class="pl-kos">;</span>
<span class="pl-k">export</span> <span class="pl-k">const</span> <span class="pl-v">FullWidthDialog</span> <span class="pl-c1">=</span> <span class="pl-s1">withStyles</span><span class="pl-c1"><</span><span class="pl-v">DialogProps</span><span class="pl-c1">></span><span class="pl-kos">(</span>
<span class="pl-kos">{</span>
<span class="pl-c1">paper</span>: <span class="pl-kos">{</span>
<span class="pl-c1">width</span>: <span class="pl-s">'100%'</span>
<span class="pl-kos">}</span>
<span class="pl-kos">}</span>
<span class="pl-kos">)</span><span class="pl-kos">(</span>
<span class="pl-kos">(</span><span class="pl-s1">props</span>: <span class="pl-v">DialogProps</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-kos">{</span>
<span class="pl-k">const</span> <span class="pl-kos">{</span> children<span class="pl-kos">,</span> ...<span class="pl-s1">others</span> <span class="pl-kos">}</span> <span class="pl-c1">=</span> <span class="pl-s1">props</span><span class="pl-kos">;</span>
<span class="pl-k">return</span> <span class="pl-kos">(</span>
<span class="pl-c1"><</span><span class="pl-ent">Dialog</span>
<span class="pl-kos">{</span>...<span class="pl-s1">others</span><span class="pl-kos">}</span>
<span class="pl-c1">></span>
<span class="pl-kos">{</span><span class="pl-s1">children</span><span class="pl-kos">}</span>
<span class="pl-c1"><</span><span class="pl-c1">/</span><span class="pl-ent">Dialog</span><span class="pl-c1">></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">Would it be sensible to add a "fullWidth" to the dialog property that does that for you?</p>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/callemall/material-ui/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h2 dir="auto">Expected Behavior</h2>
<p dir="auto">N/A</p>
<h2 dir="auto">Current Behavior</h2>
<p dir="auto">N/A</p>
<h2 dir="auto">Context</h2>
<p dir="auto">See the description above</p>
<h2 dir="auto">Your Environment</h2>
<table role="table">
<thead>
<tr>
<th>Tech</th>
<th>Version</th>
</tr>
</thead>
<tbody>
<tr>
<td>Material-UI</td>
<td>latest beta</td>
</tr>
<tr>
<td>React</td>
<td>15</td>
</tr>
<tr>
<td>browser</td>
<td>Chrome 61</td>
</tr>
<tr>
<td>TS</td>
<td>2.5.2</td>
</tr>
</tbody>
</table> | <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/callemall/material-ui/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h2 dir="auto">Expected Behavior</h2>
<p dir="auto">The popover should show a default animation when it pops in.</p>
<h2 dir="auto">Current Behavior</h2>
<p dir="auto">The popover animation is not showing a default animation when it pops in.</p>
<h2 dir="auto">Steps to Reproduce (for bugs)</h2>
<ol dir="auto">
<li>Open a popover using <code class="notranslate">open={true}</code></li>
</ol>
<h2 dir="auto">Context</h2>
<p dir="auto">Just fyi, the animation appears to be working with v0.18.7</p>
<h2 dir="auto">Your Environment</h2>
<table role="table">
<thead>
<tr>
<th>Tech</th>
<th>Version</th>
</tr>
</thead>
<tbody>
<tr>
<td>Material-UI</td>
<td>0.19.0</td>
</tr>
<tr>
<td>React</td>
<td>15.4.2</td>
</tr>
<tr>
<td>browser</td>
<td>Chrome</td>
</tr>
<tr>
<td>etc</td>
<td></td>
</tr>
</tbody>
</table> | 0 |
<p dir="auto">Challenge <a href="http://freecodecamp.com/challenges/waypoint-label-bootstrap-wells" rel="nofollow">http://freecodecamp.com/challenges/waypoint-label-bootstrap-wells</a> has an issue. Please describe how to reproduce it, and include links to screenshots if possible.<br>
Hi,</p>
<p dir="auto">The Task: Add an h4 element to each of your </p><div dir="auto"> elements.<br>
is correct but it is marked as incomplete / incorrect. I am unable to progress forward.<br>
I have attached a screenshot for visual clarification.<p dir="auto"></p>
<p dir="auto">Thanks,</p>
<p dir="auto">J</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/13787549/9315346/ca8b9e92-44fc-11e5-9c89-7d02653fa92d.png"><img src="https://cloud.githubusercontent.com/assets/13787549/9315346/ca8b9e92-44fc-11e5-9c89-7d02653fa92d.png" alt="screen shot 2015-08-17 at 4 20 07 pm" style="max-width: 100%;"></a></p></div> | <p dir="auto">Challenge <a href="http://freecodecamp.com/challenges/waypoint-comment-your-javascript-code" rel="nofollow">http://freecodecamp.com/challenges/waypoint-comment-your-javascript-code</a> has an issue. Please describe how to reproduce it, and include links to screenshots if possible.</p>
<p dir="auto">In the second part of the challenge, where you're required to create a multi-line comment, if you were to spread that comment across multiple lines, the challenge would not allow you to pass even though the answer is technically correct.</p>
<p dir="auto">Eg:</p>
<p dir="auto">/*</p>
<p dir="auto">This is a multi-line comment</p>
<p dir="auto">*/<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/6572101/9364247/626cc470-4679-11e5-9d06-e408d54e0b41.PNG"><img src="https://cloud.githubusercontent.com/assets/6572101/9364247/626cc470-4679-11e5-9d06-e408d54e0b41.PNG" alt="bug" style="max-width: 100%;"></a></p> | 0 |
<h4 dir="auto">Code Sample, a copy-pastable example if possible</h4>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import pandas
d = pandas.DataFrame({"lat": [-6.081690, -5.207080], "lon": [145.789001, 145.391998]})
d.plot(kind='scatter', x='lat', y='lon')"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">pandas</span>
<span class="pl-s1">d</span> <span class="pl-c1">=</span> <span class="pl-s1">pandas</span>.<span class="pl-v">DataFrame</span>({<span class="pl-s">"lat"</span>: [<span class="pl-c1">-</span><span class="pl-c1">6.081690</span>, <span class="pl-c1">-</span><span class="pl-c1">5.207080</span>], <span class="pl-s">"lon"</span>: [<span class="pl-c1">145.789001</span>, <span class="pl-c1">145.391998</span>]})
<span class="pl-s1">d</span>.<span class="pl-en">plot</span>(<span class="pl-s1">kind</span><span class="pl-c1">=</span><span class="pl-s">'scatter'</span>, <span class="pl-s1">x</span><span class="pl-c1">=</span><span class="pl-s">'lat'</span>, <span class="pl-s1">y</span><span class="pl-c1">=</span><span class="pl-s">'lon'</span>)</pre></div>
<h4 dir="auto">Problem description</h4>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="NameError Traceback (most recent call last)
<ipython-input-4-f42fef061f30> in <module>()
1 import pandas
2 d = pandas.DataFrame({"lat": [-6.081690, -5.207080], "lon": [145.789001, 145.391998]})
----> 3 d.plot(kind='scatter', x='lat', y='lon')
~/.local/lib/python3.6/site-packages/pandas/plotting/_core.py in __call__(self, x, y, kind, ax, subplots, sharex, sharey, layout, figsize, use_index, title, grid, legend, style, logx, logy, loglog, xticks, yticks, xlim, ylim, rot, fontsize, colormap, table, yerr, xerr, secondary_y, sort_columns, **kwds)
2675 fontsize=fontsize, colormap=colormap, table=table,
2676 yerr=yerr, xerr=xerr, secondary_y=secondary_y,
-> 2677 sort_columns=sort_columns, **kwds)
2678 __call__.__doc__ = plot_frame.__doc__
2679
~/.local/lib/python3.6/site-packages/pandas/plotting/_core.py in plot_frame(data, x, y, kind, ax, subplots, sharex, sharey, layout, figsize, use_index, title, grid, legend, style, logx, logy, loglog, xticks, yticks, xlim, ylim, rot, fontsize, colormap, table, yerr, xerr, secondary_y, sort_columns, **kwds)
1900 yerr=yerr, xerr=xerr,
1901 secondary_y=secondary_y, sort_columns=sort_columns,
-> 1902 **kwds)
1903
1904
~/.local/lib/python3.6/site-packages/pandas/plotting/_core.py in _plot(data, x, y, subplots, ax, kind, **kwds)
1685 if isinstance(data, DataFrame):
1686 plot_obj = klass(data, x=x, y=y, subplots=subplots, ax=ax,
-> 1687 kind=kind, **kwds)
1688 else:
1689 raise ValueError("plot kind %r can only be used for data frames"
~/.local/lib/python3.6/site-packages/pandas/plotting/_core.py in __init__(self, data, x, y, s, c, **kwargs)
835 # the handling of this argument later
836 s = 20
--> 837 super(ScatterPlot, self).__init__(data, x, y, s=s, **kwargs)
838 if is_integer(c) and not self.data.columns.holds_integer():
839 c = self.data.columns[c]
~/.local/lib/python3.6/site-packages/pandas/plotting/_core.py in __init__(self, data, x, y, **kwargs)
802
803 def __init__(self, data, x, y, **kwargs):
--> 804 MPLPlot.__init__(self, data, **kwargs)
805 if x is None or y is None:
806 raise ValueError(self._kind + ' requires and x and y column')
~/.local/lib/python3.6/site-packages/pandas/plotting/_core.py in __init__(self, data, kind, by, subplots, sharex, sharey, use_index, figsize, grid, legend, rot, ax, fig, title, xlim, ylim, xticks, yticks, sort_columns, fontsize, secondary_y, colormap, table, layout, **kwds)
98 table=False, layout=None, **kwds):
99
--> 100 _converter._WARN = False
101 self.data = data
102 self.by = by
NameError: name '_converter' is not defined"><pre class="notranslate"><code class="notranslate">NameError Traceback (most recent call last)
<ipython-input-4-f42fef061f30> in <module>()
1 import pandas
2 d = pandas.DataFrame({"lat": [-6.081690, -5.207080], "lon": [145.789001, 145.391998]})
----> 3 d.plot(kind='scatter', x='lat', y='lon')
~/.local/lib/python3.6/site-packages/pandas/plotting/_core.py in __call__(self, x, y, kind, ax, subplots, sharex, sharey, layout, figsize, use_index, title, grid, legend, style, logx, logy, loglog, xticks, yticks, xlim, ylim, rot, fontsize, colormap, table, yerr, xerr, secondary_y, sort_columns, **kwds)
2675 fontsize=fontsize, colormap=colormap, table=table,
2676 yerr=yerr, xerr=xerr, secondary_y=secondary_y,
-> 2677 sort_columns=sort_columns, **kwds)
2678 __call__.__doc__ = plot_frame.__doc__
2679
~/.local/lib/python3.6/site-packages/pandas/plotting/_core.py in plot_frame(data, x, y, kind, ax, subplots, sharex, sharey, layout, figsize, use_index, title, grid, legend, style, logx, logy, loglog, xticks, yticks, xlim, ylim, rot, fontsize, colormap, table, yerr, xerr, secondary_y, sort_columns, **kwds)
1900 yerr=yerr, xerr=xerr,
1901 secondary_y=secondary_y, sort_columns=sort_columns,
-> 1902 **kwds)
1903
1904
~/.local/lib/python3.6/site-packages/pandas/plotting/_core.py in _plot(data, x, y, subplots, ax, kind, **kwds)
1685 if isinstance(data, DataFrame):
1686 plot_obj = klass(data, x=x, y=y, subplots=subplots, ax=ax,
-> 1687 kind=kind, **kwds)
1688 else:
1689 raise ValueError("plot kind %r can only be used for data frames"
~/.local/lib/python3.6/site-packages/pandas/plotting/_core.py in __init__(self, data, x, y, s, c, **kwargs)
835 # the handling of this argument later
836 s = 20
--> 837 super(ScatterPlot, self).__init__(data, x, y, s=s, **kwargs)
838 if is_integer(c) and not self.data.columns.holds_integer():
839 c = self.data.columns[c]
~/.local/lib/python3.6/site-packages/pandas/plotting/_core.py in __init__(self, data, x, y, **kwargs)
802
803 def __init__(self, data, x, y, **kwargs):
--> 804 MPLPlot.__init__(self, data, **kwargs)
805 if x is None or y is None:
806 raise ValueError(self._kind + ' requires and x and y column')
~/.local/lib/python3.6/site-packages/pandas/plotting/_core.py in __init__(self, data, kind, by, subplots, sharex, sharey, use_index, figsize, grid, legend, rot, ax, fig, title, xlim, ylim, xticks, yticks, sort_columns, fontsize, secondary_y, colormap, table, layout, **kwds)
98 table=False, layout=None, **kwds):
99
--> 100 _converter._WARN = False
101 self.data = data
102 self.by = by
NameError: name '_converter' is not defined
</code></pre></div>
<h4 dir="auto">Output of <code class="notranslate">pd.show_versions()</code></h4>
<details>
<h2 dir="auto">INSTALLED VERSIONS</h2>
<p dir="auto">commit: None<br>
python: 3.6.4.final.0<br>
python-bits: 64<br>
OS: Linux<br>
OS-release: 4.14.0-3-amd64<br>
machine: x86_64<br>
processor:<br>
byteorder: little<br>
LC_ALL: None<br>
LANG: en_US.UTF-8<br>
LOCALE: en_US.UTF-8</p>
<p dir="auto">pandas: 0.22.0<br>
pytest: None<br>
pip: 9.0.1<br>
setuptools: 38.5.1<br>
Cython: None<br>
numpy: 1.14.1<br>
scipy: 0.19.1<br>
pyarrow: None<br>
xarray: None<br>
IPython: 6.2.1<br>
sphinx: 1.6.6<br>
patsy: None<br>
dateutil: 2.6.1<br>
pytz: 2018.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: 0.999999999<br>
sqlalchemy: None<br>
pymysql: None<br>
psycopg2: None<br>
jinja2: 2.10<br>
s3fs: None<br>
fastparquet: None<br>
pandas_gbq: None<br>
pandas_datareader: None</p>
</details> | <h4 dir="auto">Code Sample, a copy-pastable example if possible</h4>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import pandas as pd
import numpy as np
import matplotlib
import matplotlib.pyplot as plt
ts = pd.Series(np.random.randn(1000), index=pd.date_range('1/1/2000', periods=1000))
ts = ts.cumsum()
ts.plot()
"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">pandas</span> <span class="pl-k">as</span> <span class="pl-s1">pd</span>
<span class="pl-k">import</span> <span class="pl-s1">numpy</span> <span class="pl-k">as</span> <span class="pl-s1">np</span>
<span class="pl-k">import</span> <span class="pl-s1">matplotlib</span>
<span class="pl-k">import</span> <span class="pl-s1">matplotlib</span>.<span class="pl-s1">pyplot</span> <span class="pl-k">as</span> <span class="pl-s1">plt</span>
<span class="pl-s1">ts</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">Series</span>(<span class="pl-s1">np</span>.<span class="pl-s1">random</span>.<span class="pl-en">randn</span>(<span class="pl-c1">1000</span>), <span class="pl-s1">index</span><span class="pl-c1">=</span><span class="pl-s1">pd</span>.<span class="pl-en">date_range</span>(<span class="pl-s">'1/1/2000'</span>, <span class="pl-s1">periods</span><span class="pl-c1">=</span><span class="pl-c1">1000</span>))
<span class="pl-s1">ts</span> <span class="pl-c1">=</span> <span class="pl-s1">ts</span>.<span class="pl-en">cumsum</span>()
<span class="pl-s1">ts</span>.<span class="pl-en">plot</span>()</pre></div>
<h4 dir="auto">Problem description</h4>
<p dir="auto">Getting an error:</p>
<p dir="auto">NameError: name '_converter' is not defined</p>
<p dir="auto"><a href="https://stackoverflow.com/questions/48341233/ts-plot-and-dataframe-plot-throwing-error-nameerror-name-converter-is" rel="nofollow">https://stackoverflow.com/questions/48341233/ts-plot-and-dataframe-plot-throwing-error-nameerror-name-converter-is</a></p>
<h4 dir="auto">Expected Output</h4>
<p dir="auto">chart as usual</p>
<h4 dir="auto">Output of <code class="notranslate">pd.show_versions()</code></h4>
<details>
<h2 dir="auto">INSTALLED VERSIONS</h2>
<p dir="auto">commit: None<br>
python: 3.6.2.final.0<br>
python-bits: 64<br>
OS: Linux<br>
OS-release: 4.9.75-25.55.amzn1.x86_64<br>
machine: x86_64<br>
processor:<br>
byteorder: little<br>
LC_ALL: C.UTF-8<br>
LANG: C.UTF-8<br>
LOCALE: en_US.UTF-8</p>
<p dir="auto">pandas: 0.22.0<br>
pytest: 3.3.2<br>
pip: 9.0.1<br>
setuptools: 36.5.0.post20170921<br>
Cython: 0.27.3<br>
numpy: 1.13.3<br>
scipy: None<br>
pyarrow: None<br>
xarray: None<br>
IPython: 6.2.1<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: 2.1.2<br>
openpyxl: 2.4.9<br>
xlrd: None<br>
xlwt: None<br>
xlsxwriter: None<br>
lxml: 4.1.1<br>
bs4: 4.6.0<br>
html5lib: 1.0.1<br>
sqlalchemy: 1.2.1<br>
pymysql: 0.8.0<br>
psycopg2: None<br>
jinja2: 2.10<br>
s3fs: None<br>
fastparquet: 0.1.3<br>
pandas_gbq: None<br>
pandas_datareader: None</p>
</details> | 1 |
<p dir="auto">Currently there are 2 options:</p>
<ul dir="auto">
<li>get all the columns, but without knowledge which one is the target one</li>
<li>get 2 columns splitted, again without knowledge of target column name.</li>
</ul> | <p dir="auto">As far as I know, Sklearn does not provide a way to get the names of the "columns" corresponding to the target. It would be useful to choose an standard name for this data, so that Sklearn-compatible datasets can provide this information.</p>
<p dir="auto">This has been asked before in StackOverflow:<br>
<a href="https://stackoverflow.com/questions/50877785/how-to-obtain-target-feature-name-from-a-sklearn-bunch" rel="nofollow">https://stackoverflow.com/questions/50877785/how-to-obtain-target-feature-name-from-a-sklearn-bunch</a><br>
but I have not seen any issue here. However in PR <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="27672189" data-permission-text="Title is private" data-url="https://github.com/scikit-learn/scikit-learn/issues/2865" data-hovercard-type="pull_request" data-hovercard-url="/scikit-learn/scikit-learn/pull/2865/hovercard" href="https://github.com/scikit-learn/scikit-learn/pull/2865">#2865</a> it was hinted that it could be useful. Also, I think that if in the future Sklearn provides multi-output datasets it will be necessary.</p>
<p dir="auto">I propose that this data will be made available as "target_feature_names", as it seems clear what that means.</p> | 1 |
<ul dir="auto">
<li>VSCode Version: 1.0.0</li>
<li>OS Version: Mac 10.11.4</li>
</ul>
<p dir="auto">Steps to Reproduce:</p>
<ol dir="auto">
<li>Change the theme to Solarized Dark.</li>
<li>The SideBar still black.</li>
</ol> | <ul dir="auto">
<li>VSCode Version: 0.10.11 Commit <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/microsoft/vscode/commit/f291f4ad600767626b24a4b15816b04bee9a3049/hovercard" href="https://github.com/microsoft/vscode/commit/f291f4ad600767626b24a4b15816b04bee9a3049"><tt>f291f4a</tt></a></li>
<li>OS Version: Linux 4.2.0-34-generic <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="117462703" data-permission-text="Title is private" data-url="https://github.com/microsoft/vscode/issues/39" data-hovercard-type="issue" data-hovercard-url="/microsoft/vscode/issues/39/hovercard" href="https://github.com/microsoft/vscode/issues/39">#39</a>~14.04.1 (Ubuntu)</li>
</ul>
<p dir="auto">Steps to Reproduce:</p>
<ol dir="auto">
<li>Open known good partial (dust template), e.g, the menuItem.toggle.dust.emacs attached</li>
<li>Add and delete a space, then save.</li>
<li>Re-run dust rendering</li>
</ol>
<p dir="auto">The output will be missing several elements. Given the dust template I'm using, I believe it may be a failure in the eq test. <em>BUT</em> I know this isn't a Dust.js problem because it works if I save it from emacs:</p>
<p dir="auto">Steps to fix:</p>
<ol dir="auto">
<li>Open partial saved above, e.g., the menuItem.toggle.dust.code attached, in a good editor, e.g., emacs.</li>
<li>Add and delete a space, then save</li>
<li>Re-run dust rendering.</li>
</ol>
<p dir="auto">The output will be as expected. I was able to toggle back & forth between the two editors and consistently reproduce the results. What emacs saved worked fine. What code saved <em>did not</em>.</p>
<p dir="auto">I've attached the two partials. I'm guessing it's a unicode/text format issue. None of my diff tools showed any difference, but CLEARLY dust.js is treating one differently from the other.</p>
<p dir="auto"><a href="https://github.com/Microsoft/vscode/files/192799/menuItem.toggle.dust.zip">menuItem.toggle.dust.zip</a></p>
<p dir="auto">FWIW, here is the template in those attached files:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="{@eq key=widget value="true"}
{:else}
<div class="text"><span>{text}</span></div>
<div class="toggleBox">
<div class="toggleRight">
<div class="text"><span>{true.text}</span></div>
<img class="toggle" src="../../images/menu/toggle_right.png">
</div>
<div class="toggleLeft">
<div class="text"><span>{false.text}</span></div>
<img class="toggle" src="../../images/menu/toggle_left.png">
</div>
</div>
{/eq}"><pre lang="dust" class="notranslate"><code class="notranslate">{@eq key=widget value="true"}
{:else}
<div class="text"><span>{text}</span></div>
<div class="toggleBox">
<div class="toggleRight">
<div class="text"><span>{true.text}</span></div>
<img class="toggle" src="../../images/menu/toggle_right.png">
</div>
<div class="toggleLeft">
<div class="text"><span>{false.text}</span></div>
<img class="toggle" src="../../images/menu/toggle_left.png">
</div>
</div>
{/eq}
</code></pre></div> | 0 |
<p dir="auto">In my web application I commonly use the pattern of mapping a collection of fields to an array on one of my entities. As of upgrading to 2.3 today I've noticed that if a collection has only one field and that is empty, then an UnexpectedTypeException is thrown on line 76 of EventListener/ResizeFormListener.php. I tried adding an empty_data option of either null or array to both the collections and the field, but an empty string was still returned.</p>
<p dir="auto">Also, the data is being posted as an array <code class="notranslate">application[person][citizenship][countries][0]</code>, which class would be squishing this down to a string?</p>
<p dir="auto">This is an example of one of my collections, here the aaws field is just a choice that gets its values from a webservice.</p>
<div class="highlight highlight-text-html-php notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="$builder->add('countries', 'collection', array('type' => 'aaws', 'options' => array(
'label' => 'Citizenship Country',
'app_data_attr' => 'countries',
'empty_value' => 'Choose an option',
'empty_data' => null,
'required' => false,
'preferred_choices' => array('USA'),
'attr' => array('class' => 'gfu-required-field')
),
'allow_add' => true,
'allow_delete' => true,
'prototype' => true,
'error_bubbling' => false,
'empty_data' => null,
)
"><pre class="notranslate"><span class="pl-s1"><span class="pl-c1">$</span>builder</span>->add(<span class="pl-s">'countries'</span>, <span class="pl-s">'collection'</span>, <span class="pl-en">array</span>(<span class="pl-s">'type'</span> => <span class="pl-s">'aaws'</span>, <span class="pl-s">'options'</span> => <span class="pl-en">array</span>(
<span class="pl-s">'label'</span> => <span class="pl-s">'Citizenship Country'</span>,
<span class="pl-s">'app_data_attr'</span> => <span class="pl-s">'countries'</span>,
<span class="pl-s">'empty_value'</span> => <span class="pl-s">'Choose an option'</span>,
<span class="pl-s">'empty_data'</span> => <span class="pl-c1">null</span>,
<span class="pl-s">'required'</span> => <span class="pl-c1">false</span>,
<span class="pl-s">'preferred_choices'</span> => <span class="pl-en">array</span>(<span class="pl-s">'USA'</span>),
<span class="pl-s">'attr'</span> => <span class="pl-en">array</span>(<span class="pl-s">'class'</span> => <span class="pl-s">'gfu-required-field'</span>)
),
<span class="pl-s">'allow_add'</span> => <span class="pl-c1">true</span>,
<span class="pl-s">'allow_delete'</span> => <span class="pl-c1">true</span>,
<span class="pl-s">'prototype'</span> => <span class="pl-c1">true</span>,
<span class="pl-s">'error_bubbling'</span> => <span class="pl-c1">false</span>,
<span class="pl-s">'empty_data'</span> => <span class="pl-c1">null</span>,
)</pre></div>
<p dir="auto">Here is the plain text of my stack trace</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[1] Symfony\Component\Form\Exception\UnexpectedTypeException: Expected argument of type "array or (\Traversable and \ArrayAccess)", "string" given
at n/a
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Extension/Core/EventListener/ResizeFormListener.php line 76
at Symfony\Component\Form\Extension\Core\EventListener\ResizeFormListener->preSetData(object(FormEvent))
in line
at call_user_func(array(object(ResizeFormListener), 'preSetData'), object(FormEvent))
in /vagrant/app/cache/dev/classes.php line 1676
at Symfony\Component\EventDispatcher\EventDispatcher->doDispatch(array(array(object(ResizeFormListener), 'preSetData')), 'form.pre_set_data', object(FormEvent))
in /vagrant/app/cache/dev/classes.php line 1609
at Symfony\Component\EventDispatcher\EventDispatcher->dispatch('form.pre_set_data', object(FormEvent))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/EventDispatcher/ImmutableEventDispatcher.php line 42
at Symfony\Component\EventDispatcher\ImmutableEventDispatcher->dispatch('form.pre_set_data', object(FormEvent))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Form.php line 321
at Symfony\Component\Form\Form->setData('')
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Extension/Core/DataMapper/PropertyPathMapper.php line 59
at Symfony\Component\Form\Extension\Core\DataMapper\PropertyPathMapper->mapDataToForms(object(Ethnicity), object(RecursiveIteratorIterator))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Form.php line 375
at Symfony\Component\Form\Form->setData(object(Ethnicity))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Extension/Core/DataMapper/PropertyPathMapper.php line 59
at Symfony\Component\Form\Extension\Core\DataMapper\PropertyPathMapper->mapDataToForms(object(Person), object(RecursiveIteratorIterator))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Form.php line 375
at Symfony\Component\Form\Form->setData(object(Person))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Extension/Core/DataMapper/PropertyPathMapper.php line 59
at Symfony\Component\Form\Extension\Core\DataMapper\PropertyPathMapper->mapDataToForms(object(Application), object(RecursiveIteratorIterator))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Form.php line 375
at Symfony\Component\Form\Form->setData(object(Application))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Form.php line 467
at Symfony\Component\Form\Form->initialize()
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/FormBuilder.php line 229
at Symfony\Component\Form\FormBuilder->getForm()
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/FormFactory.php line 39
at Symfony\Component\Form\FormFactory->create(object(ApplicationType), object(Application), array('validation_groups' => array('Default'), 'gfu_submit' => false))
in /vagrant/vendor/symfony/symfony/src/Symfony/Bundle/FrameworkBundle/Controller/Controller.php line 163
at Symfony\Bundle\FrameworkBundle\Controller\Controller->createForm(object(ApplicationType), object(Application), array('validation_groups' => array('Default'), 'gfu_submit' => false))
in /vagrant/src/Gfu/AppBundle/Controller/AppController.php line 472
at Gfu\AppBundle\Controller\AppController->editAction('72', object(Request))
in line
at call_user_func_array(array(object(AppController), 'editAction'), array('72', object(Request)))
in /vagrant/app/bootstrap.php.cache line 2774
at Symfony\Component\HttpKernel\HttpKernel->handleRaw(object(Request), '1')
in /vagrant/app/bootstrap.php.cache line 2748
at Symfony\Component\HttpKernel\HttpKernel->handle(object(Request), '1', true)
in /vagrant/app/bootstrap.php.cache line 2878
at Symfony\Component\HttpKernel\DependencyInjection\ContainerAwareHttpKernel->handle(object(Request), '1', true)
in /vagrant/app/bootstrap.php.cache line 2179
at Symfony\Component\HttpKernel\Kernel->handle(object(Request))
in /vagrant/web/app_dev.php line 28"><pre class="notranslate"><code class="notranslate">[1] Symfony\Component\Form\Exception\UnexpectedTypeException: Expected argument of type "array or (\Traversable and \ArrayAccess)", "string" given
at n/a
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Extension/Core/EventListener/ResizeFormListener.php line 76
at Symfony\Component\Form\Extension\Core\EventListener\ResizeFormListener->preSetData(object(FormEvent))
in line
at call_user_func(array(object(ResizeFormListener), 'preSetData'), object(FormEvent))
in /vagrant/app/cache/dev/classes.php line 1676
at Symfony\Component\EventDispatcher\EventDispatcher->doDispatch(array(array(object(ResizeFormListener), 'preSetData')), 'form.pre_set_data', object(FormEvent))
in /vagrant/app/cache/dev/classes.php line 1609
at Symfony\Component\EventDispatcher\EventDispatcher->dispatch('form.pre_set_data', object(FormEvent))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/EventDispatcher/ImmutableEventDispatcher.php line 42
at Symfony\Component\EventDispatcher\ImmutableEventDispatcher->dispatch('form.pre_set_data', object(FormEvent))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Form.php line 321
at Symfony\Component\Form\Form->setData('')
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Extension/Core/DataMapper/PropertyPathMapper.php line 59
at Symfony\Component\Form\Extension\Core\DataMapper\PropertyPathMapper->mapDataToForms(object(Ethnicity), object(RecursiveIteratorIterator))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Form.php line 375
at Symfony\Component\Form\Form->setData(object(Ethnicity))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Extension/Core/DataMapper/PropertyPathMapper.php line 59
at Symfony\Component\Form\Extension\Core\DataMapper\PropertyPathMapper->mapDataToForms(object(Person), object(RecursiveIteratorIterator))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Form.php line 375
at Symfony\Component\Form\Form->setData(object(Person))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Extension/Core/DataMapper/PropertyPathMapper.php line 59
at Symfony\Component\Form\Extension\Core\DataMapper\PropertyPathMapper->mapDataToForms(object(Application), object(RecursiveIteratorIterator))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Form.php line 375
at Symfony\Component\Form\Form->setData(object(Application))
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/Form.php line 467
at Symfony\Component\Form\Form->initialize()
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/FormBuilder.php line 229
at Symfony\Component\Form\FormBuilder->getForm()
in /vagrant/vendor/symfony/symfony/src/Symfony/Component/Form/FormFactory.php line 39
at Symfony\Component\Form\FormFactory->create(object(ApplicationType), object(Application), array('validation_groups' => array('Default'), 'gfu_submit' => false))
in /vagrant/vendor/symfony/symfony/src/Symfony/Bundle/FrameworkBundle/Controller/Controller.php line 163
at Symfony\Bundle\FrameworkBundle\Controller\Controller->createForm(object(ApplicationType), object(Application), array('validation_groups' => array('Default'), 'gfu_submit' => false))
in /vagrant/src/Gfu/AppBundle/Controller/AppController.php line 472
at Gfu\AppBundle\Controller\AppController->editAction('72', object(Request))
in line
at call_user_func_array(array(object(AppController), 'editAction'), array('72', object(Request)))
in /vagrant/app/bootstrap.php.cache line 2774
at Symfony\Component\HttpKernel\HttpKernel->handleRaw(object(Request), '1')
in /vagrant/app/bootstrap.php.cache line 2748
at Symfony\Component\HttpKernel\HttpKernel->handle(object(Request), '1', true)
in /vagrant/app/bootstrap.php.cache line 2878
at Symfony\Component\HttpKernel\DependencyInjection\ContainerAwareHttpKernel->handle(object(Request), '1', true)
in /vagrant/app/bootstrap.php.cache line 2179
at Symfony\Component\HttpKernel\Kernel->handle(object(Request))
in /vagrant/web/app_dev.php line 28
</code></pre></div> | <p dir="auto">Hi guys,</p>
<p dir="auto">I just notice that, when I send a non array data to a collection form field the <code class="notranslate">ResizeFormListener</code> throws an <code class="notranslate">UnexpectedTypeException</code> before the form validation.</p>
<p dir="auto">Here is the action</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="public function indexAction(Request $request)
{
$form = $this->get('form.factory')->createNamed('', new FooType, null, [
'method' => 'GET'
]);
$request->query->set('emails', 'a');
// Throws an exception
$form->handleRequest($request);
if ($form->isValid()) {
die(var_dump('valid'));
}
die(var_dump($form->getErrorsAsString()));
}
"><pre class="notranslate"><code class="notranslate">public function indexAction(Request $request)
{
$form = $this->get('form.factory')->createNamed('', new FooType, null, [
'method' => 'GET'
]);
$request->query->set('emails', 'a');
// Throws an exception
$form->handleRequest($request);
if ($form->isValid()) {
die(var_dump('valid'));
}
die(var_dump($form->getErrorsAsString()));
}
</code></pre></div>
<p dir="auto">And the form</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="class FooType extends AbstractType
{
public function buildForm(FormBuilderInterface $builder, array $options)
{
$builder->add('emails', 'collection', [
'type' => 'email'
]);
}
public function getName()
{
return 'foo';
}
}"><pre class="notranslate"><code class="notranslate">class FooType extends AbstractType
{
public function buildForm(FormBuilderInterface $builder, array $options)
{
$builder->add('emails', 'collection', [
'type' => 'email'
]);
}
public function getName()
{
return 'foo';
}
}
</code></pre></div>
<p dir="auto">Is there anything that I can do to avoid this? By this I mean to get a non valid form instead of an Exception...</p>
<p dir="auto">I don't really get why <a href="https://github.com/symfony/symfony/blob/2.7/src/Symfony/Component/Form/Extension/Core/EventListener/ResizeFormListener.php#L147">https://github.com/symfony/symfony/blob/2.7/src/Symfony/Component/Form/Extension/Core/EventListener/ResizeFormListener.php#L147</a> should throws an Exception instead of doing a <code class="notranslate">$data = [];</code> or something.</p>
<p dir="auto">What do you think?</p> | 1 |
<p dir="auto">Elements that trigger tooltips/popovers, as well as child elements in popovers, seem to be incorrectly affected by the <code class="notranslate">input-append</code> class. These elements lose their top-right and bottom-right <code class="notranslate">border-radius</code> when their associated tooltip/popover displays.</p>
<p dir="auto">Here is a jsFiddle that shows the issue: <a href="http://jsfiddle.net/gb2YN/" rel="nofollow">http://jsfiddle.net/gb2YN/</a></p>
<p dir="auto">Reproducible with Bootstrap 2.2.2 in Chrome 24, Firefox 18.0.2, and IE9.</p>
<p dir="auto">Doesn't appear to have been fixed in 2.3.0-wip yet.</p> | <div class="highlight highlight-text-html-basic notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="<div class="input-append">
<select class="input-medium required">
<option value="">--Select--</option>
</select>
<span class="add-on">Test</span>
</div>"><pre class="notranslate"><span class="pl-kos"><</span><span class="pl-ent">div</span> <span class="pl-c1">class</span>="<span class="pl-s">input-append</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">select</span> <span class="pl-c1">class</span>="<span class="pl-s">input-medium required</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">option</span> <span class="pl-c1">value</span>=""<span class="pl-kos">></span>--Select--<span class="pl-kos"></</span><span class="pl-ent">option</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">select</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">span</span> <span class="pl-c1">class</span>="<span class="pl-s">add-on</span>"<span class="pl-kos">></span>Test<span class="pl-kos"></</span><span class="pl-ent">span</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">div</span><span class="pl-kos">></span></pre></div>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="$('span.add-on').tooltip({
placement: 'bottom',
title: 'Test'
});"><pre class="notranslate"><span class="pl-en">$</span><span class="pl-kos">(</span><span class="pl-s">'span.add-on'</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">tooltip</span><span class="pl-kos">(</span><span class="pl-kos">{</span>
<span class="pl-c1">placement</span>: <span class="pl-s">'bottom'</span><span class="pl-kos">,</span>
<span class="pl-c1">title</span>: <span class="pl-s">'Test'</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div>
<p dir="auto">Using this code, the tooltip will work fine, but the rounded-corners will be removed from the span.addon due to this selector:</p>
<div class="highlight highlight-source-css notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=".input-append .last-child, .input-append .btn:last-child {
-webkit-border-radius: 0 3px 3px 0;
-moz-border-radius: 0 3px 3px 0;
border-radius: 0 3px 3px 0;
}"><pre class="notranslate">.<span class="pl-c1">input-append</span> .<span class="pl-c1">last-child</span><span class="pl-kos">,</span> .<span class="pl-c1">input-append</span> .<span class="pl-c1">btn</span><span class="pl-kos">:</span><span class="pl-c1">last-child</span> {
<span class="pl-c1">-webkit-border-radius</span><span class="pl-kos">:</span> <span class="pl-c1">0</span> <span class="pl-c1">3<span class="pl-smi">px</span></span> <span class="pl-c1">3<span class="pl-smi">px</span></span> <span class="pl-c1">0</span>;
<span class="pl-c1">-moz-border-radius</span><span class="pl-kos">:</span> <span class="pl-c1">0</span> <span class="pl-c1">3<span class="pl-smi">px</span></span> <span class="pl-c1">3<span class="pl-smi">px</span></span> <span class="pl-c1">0</span>;
<span class="pl-c1">border-radius</span><span class="pl-kos">:</span> <span class="pl-c1">0</span> <span class="pl-c1">3<span class="pl-smi">px</span></span> <span class="pl-c1">3<span class="pl-smi">px</span></span> <span class="pl-c1">0</span>;
}</pre></div>
<p dir="auto">When the span.addon is hovered over, it is no longer the last child and thus the selector is instead applied to the tooltip div. My suggested fix for this (IE8+, FF3.5+, CH2+) is below:</p>
<div class="highlight highlight-source-css notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=".input-append .add-on:last-of-type, .input-append .btn:last-child {
-webkit-border-radius: 0 3px 3px 0;
-moz-border-radius: 0 3px 3px 0;
border-radius: 0 3px 3px 0;
}"><pre class="notranslate">.<span class="pl-c1">input-append</span> .<span class="pl-c1">add-on</span><span class="pl-kos">:</span><span class="pl-c1">last-of-type</span><span class="pl-kos">,</span> .<span class="pl-c1">input-append</span> .<span class="pl-c1">btn</span><span class="pl-kos">:</span><span class="pl-c1">last-child</span> {
<span class="pl-c1">-webkit-border-radius</span><span class="pl-kos">:</span> <span class="pl-c1">0</span> <span class="pl-c1">3<span class="pl-smi">px</span></span> <span class="pl-c1">3<span class="pl-smi">px</span></span> <span class="pl-c1">0</span>;
<span class="pl-c1">-moz-border-radius</span><span class="pl-kos">:</span> <span class="pl-c1">0</span> <span class="pl-c1">3<span class="pl-smi">px</span></span> <span class="pl-c1">3<span class="pl-smi">px</span></span> <span class="pl-c1">0</span>;
<span class="pl-c1">border-radius</span><span class="pl-kos">:</span> <span class="pl-c1">0</span> <span class="pl-c1">3<span class="pl-smi">px</span></span> <span class="pl-c1">3<span class="pl-smi">px</span></span> <span class="pl-c1">0</span>;
}</pre></div>
<p dir="auto"><a href="http://jsfiddle.net/GY3pF/" rel="nofollow">JSFiddle</a></p> | 1 |
<h2 dir="auto">Steps to Reproduce</h2>
<ol dir="auto">
<li>Open two iOS devices ( in my case an iPhone and an iPad)</li>
<li>Run <code class="notranslate">flutter run -d all</code> on a default app.</li>
</ol>
<p dir="auto">error:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Launching lib/main.dart on iPhone X in debug mode...
Launching lib/main.dart on iPad Air 2 in debug mode...
Error 1001 received from application: File system already exists
Error initializing DevFS: NoSuchMethodError: The method '[]' was called on null.
Receiver: null
Tried calling: []("uri")"><pre class="notranslate"><code class="notranslate">Launching lib/main.dart on iPhone X in debug mode...
Launching lib/main.dart on iPad Air 2 in debug mode...
Error 1001 received from application: File system already exists
Error initializing DevFS: NoSuchMethodError: The method '[]' was called on null.
Receiver: null
Tried calling: []("uri")
</code></pre></div>
<p dir="auto"><code class="notranslate">flutter analyze</code> returns no issues</p>
<p dir="auto">error verbose:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[ +23 ms] [/Users/cristi/Libs/flutter/] git rev-parse --abbrev-ref --symbolic @{u}
[ +26 ms] Exit code 0 from: git rev-parse --abbrev-ref --symbolic @{u}
[ ] origin/beta
[ ] [/Users/cristi/Libs/flutter/] git rev-parse --abbrev-ref HEAD
[ +5 ms] Exit code 0 from: git rev-parse --abbrev-ref HEAD
[ ] beta
[ ] [/Users/cristi/Libs/flutter/] git ls-remote --get-url origin
[ +5 ms] Exit code 0 from: git ls-remote --get-url origin
[ ] https://github.com/flutter/flutter.git
[ ] [/Users/cristi/Libs/flutter/] git log -n 1 --pretty=format:%H
[ +13 ms] Exit code 0 from: git log -n 1 --pretty=format:%H
[ ] b397406561f5e7a9c94e28f58d9e49fca0dd58b7
[ ] [/Users/cristi/Libs/flutter/] git log -n 1 --pretty=format:%ar
[ +6 ms] Exit code 0 from: git log -n 1 --pretty=format:%ar
[ ] 3 weeks ago
[ ] [/Users/cristi/Libs/flutter/] git describe --match v*.*.* --first-parent --long --tags
[ +9 ms] Exit code 0 from: git describe --match v*.*.* --first-parent --long --tags
[ ] v0.2.8-0-gb39740656
[ +235 ms] /usr/bin/defaults read /Applications/Android Studio.app/Contents/Info CFBundleShortVersionString
[ +41 ms] Exit code 0 from: /usr/bin/defaults read /Applications/Android Studio.app/Contents/Info CFBundleShortVersionString
[ ] 3.1
[ +109 ms] /usr/local/share/android-sdk/platform-tools/adb devices -l
[ +14 ms] Exit code 0 from: /usr/local/share/android-sdk/platform-tools/adb devices -l
[ ] List of devices attached
[ +4 ms] idevice_id -h
[ +248 ms] /usr/bin/xcrun simctl list --json devices
[ +764 ms] Launching lib/main.dart on iPhone X in debug mode...
[ +1 ms] /usr/bin/defaults read /Users/cristi/Work/delete_me/hello_world/ios/Runner/Info CFBundleIdentifier
[ +34 ms] Exit code 0 from: /usr/bin/defaults read /Users/cristi/Work/delete_me/hello_world/ios/Runner/Info CFBundleIdentifier
[ ] $(PRODUCT_BUNDLE_IDENTIFIER)
[ ] [ios/Runner.xcodeproj/] /usr/bin/xcodebuild -project /Users/cristi/Work/delete_me/hello_world/ios/Runner.xcodeproj -target Runner -showBuildSettings
[ +862 ms] Exit code 0 from: /usr/bin/xcodebuild -project /Users/cristi/Work/delete_me/hello_world/ios/Runner.xcodeproj -target Runner -showBuildSettings
[ ] Build settings for action build and target Runner:
ACTION = build
AD_HOC_CODE_SIGNING_ALLOWED = NO
ALTERNATE_GROUP = staff
ALTERNATE_MODE = u+w,go-w,a+rX
ALTERNATE_OWNER = cristi
ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO
ALWAYS_SEARCH_USER_PATHS = NO
ALWAYS_USE_SEPARATE_HEADERMAPS = NO
APPLE_INTERNAL_DEVELOPER_DIR = /AppleInternal/Developer
APPLE_INTERNAL_DIR = /AppleInternal
APPLE_INTERNAL_DOCUMENTATION_DIR = /AppleInternal/Documentation
APPLE_INTERNAL_LIBRARY_DIR = /AppleInternal/Library
APPLE_INTERNAL_TOOLS = /AppleInternal/Developer/Tools
APPLICATION_EXTENSION_API_ONLY = NO
APPLY_RULES_IN_COPY_FILES = NO
ARCHS = arm64
ARCHS_STANDARD = armv7 arm64
ARCHS_STANDARD_32_64_BIT = armv7 arm64
ARCHS_STANDARD_32_BIT = armv7
ARCHS_STANDARD_64_BIT = arm64
ARCHS_STANDARD_INCLUDING_64_BIT = armv7 arm64
ARCHS_UNIVERSAL_IPHONE_OS = armv7 arm64
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon
AVAILABLE_PLATFORMS = appletvos appletvsimulator iphoneos iphonesimulator macosx watchos watchsimulator
BITCODE_GENERATION_MODE = marker
BUILD_ACTIVE_RESOURCES_ONLY = NO
BUILD_COMPONENTS = headers build
BUILD_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios
BUILD_ROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
BUILD_STYLE =
BUILD_VARIANTS = normal
BUILT_PRODUCTS_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
CACHE_ROOT = /var/folders/f9/_xl3_vm51qj7lkc_wqc5275r0000gn/C/com.apple.DeveloperTools/9.3-9E145/Xcode
CCHROOT = /var/folders/f9/_xl3_vm51qj7lkc_wqc5275r0000gn/C/com.apple.DeveloperTools/9.3-9E145/Xcode
CHMOD = /bin/chmod
CHOWN = /usr/sbin/chown
CLANG_ANALYZER_NONNULL = YES
CLANG_CXX_LANGUAGE_STANDARD = gnu++0x
CLANG_CXX_LIBRARY = libc++
CLANG_ENABLE_MODULES = YES
CLANG_ENABLE_OBJC_ARC = YES
CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES
CLANG_WARN_BOOL_CONVERSION = YES
CLANG_WARN_COMMA = YES
CLANG_WARN_CONSTANT_CONVERSION = YES
CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR
CLANG_WARN_EMPTY_BODY = YES
CLANG_WARN_ENUM_CONVERSION = YES
CLANG_WARN_INFINITE_RECURSION = YES
CLANG_WARN_INT_CONVERSION = YES
CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES
CLANG_WARN_OBJC_LITERAL_CONVERSION = YES
CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR
CLANG_WARN_RANGE_LOOP_ANALYSIS = YES
CLANG_WARN_STRICT_PROTOTYPES = YES
CLANG_WARN_SUSPICIOUS_MOVE = YES
CLANG_WARN_UNREACHABLE_CODE = YES
CLANG_WARN__DUPLICATE_METHOD_MATCH = YES
CLASS_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/JavaClasses
CLEAN_PRECOMPS = YES
CLONE_HEADERS = NO
CODESIGNING_FOLDER_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos/Runner.app
CODE_SIGNING_ALLOWED = YES
CODE_SIGNING_REQUIRED = YES
CODE_SIGN_CONTEXT_CLASS = XCiPhoneOSCodeSignContext
CODE_SIGN_IDENTITY = iPhone Developer
CODE_SIGN_INJECT_BASE_ENTITLEMENTS = YES
COLOR_DIAGNOSTICS = NO
COMBINE_HIDPI_IMAGES = NO
COMPILER_INDEX_STORE_ENABLE = Default
COMPOSITE_SDK_DIRS = /Users/cristi/Work/delete_me/hello_world/build/ios/CompositeSDKs
COMPRESS_PNG_FILES = YES
CONFIGURATION = Release
CONFIGURATION_BUILD_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
CONFIGURATION_TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos
CONTENTS_FOLDER_PATH = Runner.app
COPYING_PRESERVES_HFS_DATA = NO
COPY_HEADERS_RUN_UNIFDEF = NO
COPY_PHASE_STRIP = NO
COPY_RESOURCES_FROM_STATIC_FRAMEWORKS = YES
CORRESPONDING_SIMULATOR_PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform
CORRESPONDING_SIMULATOR_PLATFORM_NAME = iphonesimulator
CORRESPONDING_SIMULATOR_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk
CORRESPONDING_SIMULATOR_SDK_NAME = iphonesimulator11.3
CP = /bin/cp
CREATE_INFOPLIST_SECTION_IN_BINARY = NO
CURRENT_ARCH = arm64
CURRENT_PROJECT_VERSION = 1
CURRENT_VARIANT = normal
DEAD_CODE_STRIPPING = YES
DEBUGGING_SYMBOLS = YES
DEBUG_INFORMATION_FORMAT = dwarf-with-dsym
DEFAULT_COMPILER = com.apple.compilers.llvm.clang.1_0
DEFAULT_KEXT_INSTALL_PATH = /System/Library/Extensions
DEFINES_MODULE = NO
DEPLOYMENT_LOCATION = NO
DEPLOYMENT_POSTPROCESSING = NO
DEPLOYMENT_TARGET_CLANG_ENV_NAME = IPHONEOS_DEPLOYMENT_TARGET
DEPLOYMENT_TARGET_CLANG_FLAG_NAME = miphoneos-version-min
DEPLOYMENT_TARGET_CLANG_FLAG_PREFIX = -miphoneos-version-min=
DEPLOYMENT_TARGET_SETTING_NAME = IPHONEOS_DEPLOYMENT_TARGET
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
DERIVED_FILES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DERIVED_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DERIVED_SOURCES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
DEVELOPER_FRAMEWORKS_DIR = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_FRAMEWORKS_DIR_QUOTED = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/Developer/Library
DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs
DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Tools
DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
DEVELOPMENT_LANGUAGE = English
DOCUMENTATION_FOLDER_PATH = Runner.app/English.lproj/Documentation
DO_HEADER_SCANNING_IN_JAM = NO
DSTROOT = /tmp/Runner.dst
DT_TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
DWARF_DSYM_FILE_NAME = Runner.app.dSYM
DWARF_DSYM_FILE_SHOULD_ACCOMPANY_PRODUCT = NO
DWARF_DSYM_FOLDER_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
EFFECTIVE_PLATFORM_NAME = -iphoneos
EMBEDDED_CONTENT_CONTAINS_SWIFT = NO
EMBEDDED_PROFILE_NAME = embedded.mobileprovision
EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE = NO
ENABLE_BITCODE = NO
ENABLE_DEFAULT_HEADER_SEARCH_PATHS = YES
ENABLE_HEADER_DEPENDENCIES = YES
ENABLE_NS_ASSERTIONS = NO
ENABLE_ON_DEMAND_RESOURCES = YES
ENABLE_STRICT_OBJC_MSGSEND = YES
ENABLE_TESTABILITY = NO
ENTITLEMENTS_ALLOWED = YES
ENTITLEMENTS_REQUIRED = YES
EXCLUDED_INSTALLSRC_SUBDIRECTORY_PATTERNS = .DS_Store .svn .git .hg CVS
EXCLUDED_RECURSIVE_SEARCH_PATH_SUBDIRECTORIES = *.nib *.lproj *.framework *.gch *.xcode* *.xcassets (*) .DS_Store CVS .svn .git .hg *.pbproj *.pbxproj
EXECUTABLES_FOLDER_PATH = Runner.app/Executables
EXECUTABLE_FOLDER_PATH = Runner.app
EXECUTABLE_NAME = Runner
EXECUTABLE_PATH = Runner.app/Runner
EXPANDED_CODE_SIGN_IDENTITY =
EXPANDED_CODE_SIGN_IDENTITY_NAME =
EXPANDED_PROVISIONING_PROFILE =
FILE_LIST = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects/LinkFileList
FIXED_FILES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/FixedFiles
FLUTTER_APPLICATION_PATH = /Users/cristi/Work/delete_me/hello_world
FLUTTER_BUILD_DIR = build
FLUTTER_BUILD_MODE = debug
FLUTTER_FRAMEWORK_DIR = /Users/cristi/Libs/flutter/bin/cache/artifacts/engine/ios
FLUTTER_ROOT = /Users/cristi/Libs/flutter
FLUTTER_TARGET = lib/main.dart
FRAMEWORKS_FOLDER_PATH = Runner.app/Frameworks
FRAMEWORK_FLAG_PREFIX = -framework
FRAMEWORK_SEARCH_PATHS = /Users/cristi/Work/delete_me/hello_world/ios/Flutter
FRAMEWORK_VERSION = A
FULL_PRODUCT_NAME = Runner.app
GCC3_VERSION = 3.3
GCC_C_LANGUAGE_STANDARD = gnu99
GCC_INLINES_ARE_PRIVATE_EXTERN = YES
GCC_NO_COMMON_BLOCKS = YES
GCC_PFE_FILE_C_DIALECTS = c objective-c c++ objective-c++
GCC_SYMBOLS_PRIVATE_EXTERN = YES
GCC_THUMB_SUPPORT = YES
GCC_TREAT_WARNINGS_AS_ERRORS = NO
GCC_VERSION = com.apple.compilers.llvm.clang.1_0
GCC_VERSION_IDENTIFIER = com_apple_compilers_llvm_clang_1_0
GCC_WARN_64_TO_32_BIT_CONVERSION = YES
GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR
GCC_WARN_UNDECLARED_SELECTOR = YES
GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE
GCC_WARN_UNUSED_FUNCTION = YES
GCC_WARN_UNUSED_VARIABLE = YES
GENERATE_MASTER_OBJECT_FILE = NO
GENERATE_PKGINFO_FILE = YES
GENERATE_PROFILING_CODE = NO
GENERATE_TEXT_BASED_STUBS = NO
GID = 20
GROUP = staff
HEADERMAP_INCLUDES_FLAT_ENTRIES_FOR_TARGET_BEING_BUILT = YES
HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_ALL_PRODUCT_TYPES = YES
HEADERMAP_INCLUDES_NONPUBLIC_NONPRIVATE_HEADERS = YES
HEADERMAP_INCLUDES_PROJECT_HEADERS = YES
HEADERMAP_USES_FRAMEWORK_PREFIX_ENTRIES = YES
HEADERMAP_USES_VFS = NO
HIDE_BITCODE_SYMBOLS = YES
HOME = /Users/cristi
ICONV = /usr/bin/iconv
INFOPLIST_EXPAND_BUILD_SETTINGS = YES
INFOPLIST_FILE = Runner/Info.plist
INFOPLIST_OUTPUT_FORMAT = binary
INFOPLIST_PATH = Runner.app/Info.plist
INFOPLIST_PREPROCESS = NO
INFOSTRINGS_PATH = Runner.app/English.lproj/InfoPlist.strings
INLINE_PRIVATE_FRAMEWORKS = NO
INSTALLHDRS_COPY_PHASE = NO
INSTALLHDRS_SCRIPT_PHASE = NO
INSTALL_DIR = /tmp/Runner.dst/Applications
INSTALL_GROUP = staff
INSTALL_MODE_FLAG = u+w,go-w,a+rX
INSTALL_OWNER = cristi
INSTALL_PATH = /Applications
INSTALL_ROOT = /tmp/Runner.dst
IPHONEOS_DEPLOYMENT_TARGET = 8.0
JAVAC_DEFAULT_FLAGS = -J-Xms64m -J-XX:NewSize=4M -J-Dfile.encoding=UTF8
JAVA_APP_STUB = /System/Library/Frameworks/JavaVM.framework/Resources/MacOS/JavaApplicationStub
JAVA_ARCHIVE_CLASSES = YES
JAVA_ARCHIVE_TYPE = JAR
JAVA_COMPILER = /usr/bin/javac
JAVA_FOLDER_PATH = Runner.app/Java
JAVA_FRAMEWORK_RESOURCES_DIRS = Resources
JAVA_JAR_FLAGS = cv
JAVA_SOURCE_SUBDIR = .
JAVA_USE_DEPENDENCIES = YES
JAVA_ZIP_FLAGS = -urg
JIKES_DEFAULT_FLAGS = +E +OLDCSO
KASAN_DEFAULT_CFLAGS = -DKASAN=1 -fsanitize=address -mllvm -asan-globals-live-support -mllvm -asan-force-dynamic-shadow
KEEP_PRIVATE_EXTERNS = NO
LD_DEPENDENCY_INFO_FILE = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects-normal/arm64/Runner_dependency_info.dat
LD_GENERATE_MAP_FILE = NO
LD_MAP_FILE_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Runner-LinkMap-normal-arm64.txt
LD_NO_PIE = NO
LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER = YES
LD_RUNPATH_SEARCH_PATHS = @executable_path/Frameworks
LEGACY_DEVELOPER_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer
LEX = lex
LIBRARY_FLAG_NOSPACE = YES
LIBRARY_FLAG_PREFIX = -l
LIBRARY_KEXT_INSTALL_PATH = /Library/Extensions
LIBRARY_SEARCH_PATHS = /Users/cristi/Work/delete_me/hello_world/ios/Flutter
LINKER_DISPLAYS_MANGLED_NAMES = NO
LINK_FILE_LIST_normal_arm64 =
LINK_WITH_STANDARD_LIBRARIES = YES
LOCALIZABLE_CONTENT_DIR =
LOCALIZED_RESOURCES_FOLDER_PATH = Runner.app/English.lproj
LOCALIZED_STRING_MACRO_NAMES = NSLocalizedString CFLocalizedString
LOCAL_ADMIN_APPS_DIR = /Applications/Utilities
LOCAL_APPS_DIR = /Applications
LOCAL_DEVELOPER_DIR = /Library/Developer
LOCAL_LIBRARY_DIR = /Library
LOCROOT =
LOCSYMROOT =
MACH_O_TYPE = mh_execute
MAC_OS_X_PRODUCT_BUILD_VERSION = 17E199
MAC_OS_X_VERSION_ACTUAL = 101304
MAC_OS_X_VERSION_MAJOR = 101300
MAC_OS_X_VERSION_MINOR = 1304
METAL_LIBRARY_FILE_BASE = default
METAL_LIBRARY_OUTPUT_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos/Runner.app
MODULE_CACHE_DIR = /Users/cristi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex
MTL_ENABLE_DEBUG_INFO = NO
NATIVE_ARCH = armv7
NATIVE_ARCH_32_BIT = i386
NATIVE_ARCH_64_BIT = x86_64
NATIVE_ARCH_ACTUAL = x86_64
NO_COMMON = YES
OBJECT_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects
OBJECT_FILE_DIR_normal = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects-normal
OBJROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
ONLY_ACTIVE_ARCH = NO
OS = MACOS
OSAC = /usr/bin/osacompile
PACKAGE_TYPE = com.apple.package-type.wrapper.application
PASCAL_STRINGS = YES
PATH = /Applications/Xcode.app/Contents/Developer/usr/bin:/Library/Frameworks/Python.framework/Versions/3.6/bin:/Users/cristi/Libs/flutter/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/opt/X11/bin:/Applications/Wireshark.app/Contents/MacOS
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/Developer/SDKs /Applications/Xcode.app/Contents/Developer/Platforms
PBDEVELOPMENTPLIST_PATH = Runner.app/pbdevelopment.plist
PFE_FILE_C_DIALECTS = objective-c
PKGINFO_FILE_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/PkgInfo
PKGINFO_PATH = Runner.app/PkgInfo
PLATFORM_DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Applications
PLATFORM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin
PLATFORM_DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer/Library
PLATFORM_DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs
PLATFORM_DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Tools
PLATFORM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr
PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform
PLATFORM_DISPLAY_NAME = iOS
PLATFORM_NAME = iphoneos
PLATFORM_PREFERRED_ARCH = arm64
PLATFORM_PRODUCT_BUILD_VERSION = 15E217
PLIST_FILE_OUTPUT_FORMAT = binary
PLUGINS_FOLDER_PATH = Runner.app/PlugIns
PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR = YES
PRECOMP_DESTINATION_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/PrefixHeaders
PRESERVE_DEAD_CODE_INITS_AND_TERMS = NO
PREVIEW_DART_2 = true
PRIVATE_HEADERS_FOLDER_PATH = Runner.app/PrivateHeaders
PRODUCT_BUNDLE_IDENTIFIER = com.example.helloWorld
PRODUCT_MODULE_NAME = Runner
PRODUCT_NAME = Runner
PRODUCT_SETTINGS_PATH = /Users/cristi/Work/delete_me/hello_world/ios/Runner/Info.plist
PRODUCT_TYPE = com.apple.product-type.application
PROFILING_CODE = NO
PROJECT = Runner
PROJECT_DERIVED_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/DerivedSources
PROJECT_DIR = /Users/cristi/Work/delete_me/hello_world/ios
PROJECT_FILE_PATH = /Users/cristi/Work/delete_me/hello_world/ios/Runner.xcodeproj
PROJECT_NAME = Runner
PROJECT_TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build
PROJECT_TEMP_ROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
PROVISIONING_PROFILE_REQUIRED = YES
PUBLIC_HEADERS_FOLDER_PATH = Runner.app/Headers
RECURSIVE_SEARCH_PATHS_FOLLOW_SYMLINKS = YES
REMOVE_CVS_FROM_RESOURCES = YES
REMOVE_GIT_FROM_RESOURCES = YES
REMOVE_HEADERS_FROM_EMBEDDED_BUNDLES = YES
REMOVE_HG_FROM_RESOURCES = YES
REMOVE_SVN_FROM_RESOURCES = YES
RESOURCE_RULES_REQUIRED = YES
REZ_COLLECTOR_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/ResourceManagerResources
REZ_OBJECTS_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/ResourceManagerResources/Objects
SCAN_ALL_SOURCE_FILES_FOR_INCLUDES = NO
SCRIPTS_FOLDER_PATH = Runner.app/Scripts
SDKROOT = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk
SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk
SDK_DIR_iphoneos11_3 = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk
SDK_NAME = iphoneos11.3
SDK_NAMES = iphoneos11.3
SDK_PRODUCT_BUILD_VERSION = 15E217
SDK_VERSION = 11.3
SDK_VERSION_ACTUAL = 110300
SDK_VERSION_MAJOR = 110000
SDK_VERSION_MINOR = 300
SED = /usr/bin/sed
SEPARATE_STRIP = NO
SEPARATE_SYMBOL_EDIT = NO
SET_DIR_MODE_OWNER_GROUP = YES
SET_FILE_MODE_OWNER_GROUP = NO
SHALLOW_BUNDLE = YES
SHARED_DERIVED_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos/DerivedSources
SHARED_FRAMEWORKS_FOLDER_PATH = Runner.app/SharedFrameworks
SHARED_PRECOMPS_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/SharedPrecompiledHeaders
SHARED_SUPPORT_FOLDER_PATH = Runner.app/SharedSupport
SKIP_INSTALL = NO
SOURCE_ROOT = /Users/cristi/Work/delete_me/hello_world/ios
SRCROOT = /Users/cristi/Work/delete_me/hello_world/ios
STRINGS_FILE_OUTPUT_ENCODING = binary
STRIP_BITCODE_FROM_COPIED_FILES = YES
STRIP_INSTALLED_PRODUCT = YES
STRIP_STYLE = all
STRIP_SWIFT_SYMBOLS = YES
SUPPORTED_DEVICE_FAMILIES = 1,2
SUPPORTED_PLATFORMS = iphonesimulator iphoneos
SUPPORTS_TEXT_BASED_API = NO
SWIFT_PLATFORM_TARGET_PREFIX = ios
SYMROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
SYSTEM_ADMIN_APPS_DIR = /Applications/Utilities
SYSTEM_APPS_DIR = /Applications
SYSTEM_CORE_SERVICES_DIR = /System/Library/CoreServices
SYSTEM_DEMOS_DIR = /Applications/Extras
SYSTEM_DEVELOPER_APPS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
SYSTEM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
SYSTEM_DEVELOPER_DEMOS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built Examples
SYSTEM_DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
SYSTEM_DEVELOPER_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library
SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Graphics Tools
SYSTEM_DEVELOPER_JAVA_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Java Tools
SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Performance Tools
SYSTEM_DEVELOPER_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes
SYSTEM_DEVELOPER_TOOLS = /Applications/Xcode.app/Contents/Developer/Tools
SYSTEM_DEVELOPER_TOOLS_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools
SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools
SYSTEM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
SYSTEM_DEVELOPER_UTILITIES_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities
SYSTEM_DOCUMENTATION_DIR = /Library/Documentation
SYSTEM_KEXT_INSTALL_PATH = /System/Library/Extensions
SYSTEM_LIBRARY_DIR = /System/Library
TAPI_VERIFY_MODE = ErrorsOnly
TARGETED_DEVICE_FAMILY = 1,2
TARGETNAME = Runner
TARGET_BUILD_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
TARGET_NAME = Runner
TARGET_TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_FILES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_ROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
TREAT_MISSING_BASELINES_AS_TEST_FAILURES = NO
UID = 501
UNLOCALIZED_RESOURCES_FOLDER_PATH = Runner.app
UNSTRIPPED_PRODUCT = NO
USER = cristi
USER_APPS_DIR = /Users/cristi/Applications
USER_LIBRARY_DIR = /Users/cristi/Library
USE_DYNAMIC_NO_PIC = YES
USE_HEADERMAP = YES
USE_HEADER_SYMLINKS = NO
VALIDATE_PRODUCT = YES
VALID_ARCHS = arm64 armv7 armv7s
VERBOSE_PBXCP = NO
VERSIONING_SYSTEM = apple-generic
VERSIONPLIST_PATH = Runner.app/version.plist
VERSION_INFO_BUILDER = cristi
VERSION_INFO_FILE = Runner_vers.c
VERSION_INFO_STRING = "@(#)PROGRAM:Runner PROJECT:Runner-1"
WRAPPER_EXTENSION = app
WRAPPER_NAME = Runner.app
WRAPPER_SUFFIX = .app
WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES = NO
XCODE_APP_SUPPORT_DIR = /Applications/Xcode.app/Contents/Developer/Library/Xcode
XCODE_PRODUCT_BUILD_VERSION = 9E145
XCODE_VERSION_ACTUAL = 0930
XCODE_VERSION_MAJOR = 0900
XCODE_VERSION_MINOR = 0930
XPCSERVICES_FOLDER_PATH = Runner.app/XPCServices
YACC = yacc
arch = arm64
variant = normal
[ +16 ms] Building Runner.app for 7FF17A57-9FED-4C48-AE3A-9A121911EB30.
[ +7 ms] /Users/cristi/Libs/flutter/bin/cache/dart-sdk/bin/dart /Users/cristi/Libs/flutter/bin/cache/artifacts/engine/darwin-x64/frontend_server.dart.snapshot --sdk-root /Users/cristi/Libs/flutter/bin/cache/artifacts/engine/common/flutter_patched_sdk/ --strong --target=flutter --no-link-platform --incremental --packages /Users/cristi/Work/delete_me/hello_world/.packages --output-dill build/app.dill --depfile build/snapshot_blob.bin.d /Users/cristi/Work/delete_me/hello_world/lib/main.dart
[ +1 ms] script /dev/null /usr/bin/log stream --style syslog --predicate processImagePath CONTAINS "7FF17A57-9FED-4C48-AE3A-9A121911EB30"
[ +26 ms] [DEVICE LOG] Filtering the log data using "processImagePath CONTAINS "7FF17A57-9FED-4C48-AE3A-9A121911EB30""
[ +7 ms] [DEVICE LOG] Timestamp (process)[PID]
[+1254 ms] Building build/app.flx
[ +1 ms] which zip
[ +5 ms] Encoding zip file to build/app.flx
[ +46 ms] [build/flutter_assets/] zip -q /Users/cristi/Work/delete_me/hello_world/build/app.flx.tmp packages/cupertino_icons/assets/CupertinoIcons.ttf fonts/MaterialIcons-Regular.ttf AssetManifest.json FontManifest.json LICENSE kernel_blob.bin platform.dill
[ +933 ms] Built build/app.flx.
[ +1 ms] /usr/bin/xcrun simctl get_app_container 7FF17A57-9FED-4C48-AE3A-9A121911EB30 com.example.helloWorld
[ ] /usr/bin/killall Runner
[ +133 ms] /usr/bin/xcrun simctl launch 7FF17A57-9FED-4C48-AE3A-9A121911EB30 com.example.helloWorld --enable-dart-profiling --flutter-assets-dir=/Users/cristi/Work/delete_me/hello_world/build/flutter_assets --dart-main=/Users/cristi/Work/delete_me/hello_world/lib/main.dart.dill --packages=/Users/cristi/Work/delete_me/hello_world/.packages --enable-checked-mode --observatory-port=8100
[ +148 ms] com.example.helloWorld: 14269
[ ] Waiting for observatory port to be available...
[ +176 ms] [DEVICE LOG] 2018-04-26 10:43:06.107086-0700 localhost Runner[14269]: (Runner) Created Activity ID: 0x2c5b0, Description: Loading Preferences From System CFPrefsD For Search List
[ +1 ms] [DEVICE LOG] 2018-04-26 10:43:06.107085-0700 localhost Runner[14269]: (Runner) Created Activity ID: 0x2c5b1, Description: Loading Preferences From System CFPrefsD For Search List
[ +16 ms] [DEVICE LOG] 2018-04-26 10:43:06.125951-0700 localhost Runner[14269]: (Runner) Created Activity ID: 0x2c5b2, Description: Loading Preferences From System CFPrefsD For Search List
[ +8 ms] [DEVICE LOG] 2018-04-26 10:43:06.132955-0700 localhost Runner[14269]: (libAccessibility.dylib) [com.apple.Accessibility:AccessibilitySupport] Retrieving resting unlock: 0
[ +80 ms] [DEVICE LOG] 2018-04-26 10:43:06.214997-0700 localhost Runner[14269]: (UIKit) You've implemented -[<UIApplicationDelegate> application:didReceiveRemoteNotification:fetchCompletionHandler:], but you still need to add "remote-notification" to the list of your supported UIBackgroundModes in your Info.plist.
[ +171 ms] [DEVICE LOG] 2018-04-26 10:43:06.387055-0700 localhost Runner[14269]: (Flutter) Observatory listening on http://127.0.0.1:8100/
[ +2 ms] Observatory URL on device: http://127.0.0.1:8100/
[ ] Launching lib/main.dart on iPad Air 2 in debug mode...
[ ] /usr/bin/defaults read /Users/cristi/Work/delete_me/hello_world/ios/Runner/Info CFBundleIdentifier
[ +41 ms] Exit code 0 from: /usr/bin/defaults read /Users/cristi/Work/delete_me/hello_world/ios/Runner/Info CFBundleIdentifier
[ ] $(PRODUCT_BUNDLE_IDENTIFIER)
[ ] [ios/Runner.xcodeproj/] /usr/bin/xcodebuild -project /Users/cristi/Work/delete_me/hello_world/ios/Runner.xcodeproj -target Runner -showBuildSettings
[+1000 ms] Exit code 0 from: /usr/bin/xcodebuild -project /Users/cristi/Work/delete_me/hello_world/ios/Runner.xcodeproj -target Runner -showBuildSettings
[ ] Build settings for action build and target Runner:
ACTION = build
AD_HOC_CODE_SIGNING_ALLOWED = NO
ALTERNATE_GROUP = staff
ALTERNATE_MODE = u+w,go-w,a+rX
ALTERNATE_OWNER = cristi
ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO
ALWAYS_SEARCH_USER_PATHS = NO
ALWAYS_USE_SEPARATE_HEADERMAPS = NO
APPLE_INTERNAL_DEVELOPER_DIR = /AppleInternal/Developer
APPLE_INTERNAL_DIR = /AppleInternal
APPLE_INTERNAL_DOCUMENTATION_DIR = /AppleInternal/Documentation
APPLE_INTERNAL_LIBRARY_DIR = /AppleInternal/Library
APPLE_INTERNAL_TOOLS = /AppleInternal/Developer/Tools
APPLICATION_EXTENSION_API_ONLY = NO
APPLY_RULES_IN_COPY_FILES = NO
ARCHS = arm64
ARCHS_STANDARD = armv7 arm64
ARCHS_STANDARD_32_64_BIT = armv7 arm64
ARCHS_STANDARD_32_BIT = armv7
ARCHS_STANDARD_64_BIT = arm64
ARCHS_STANDARD_INCLUDING_64_BIT = armv7 arm64
ARCHS_UNIVERSAL_IPHONE_OS = armv7 arm64
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon
AVAILABLE_PLATFORMS = appletvos appletvsimulator iphoneos iphonesimulator macosx watchos watchsimulator
BITCODE_GENERATION_MODE = marker
BUILD_ACTIVE_RESOURCES_ONLY = NO
BUILD_COMPONENTS = headers build
BUILD_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios
BUILD_ROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
BUILD_STYLE =
BUILD_VARIANTS = normal
BUILT_PRODUCTS_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
CACHE_ROOT = /var/folders/f9/_xl3_vm51qj7lkc_wqc5275r0000gn/C/com.apple.DeveloperTools/9.3-9E145/Xcode
CCHROOT = /var/folders/f9/_xl3_vm51qj7lkc_wqc5275r0000gn/C/com.apple.DeveloperTools/9.3-9E145/Xcode
CHMOD = /bin/chmod
CHOWN = /usr/sbin/chown
CLANG_ANALYZER_NONNULL = YES
CLANG_CXX_LANGUAGE_STANDARD = gnu++0x
CLANG_CXX_LIBRARY = libc++
CLANG_ENABLE_MODULES = YES
CLANG_ENABLE_OBJC_ARC = YES
CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES
CLANG_WARN_BOOL_CONVERSION = YES
CLANG_WARN_COMMA = YES
CLANG_WARN_CONSTANT_CONVERSION = YES
CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR
CLANG_WARN_EMPTY_BODY = YES
CLANG_WARN_ENUM_CONVERSION = YES
CLANG_WARN_INFINITE_RECURSION = YES
CLANG_WARN_INT_CONVERSION = YES
CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES
CLANG_WARN_OBJC_LITERAL_CONVERSION = YES
CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR
CLANG_WARN_RANGE_LOOP_ANALYSIS = YES
CLANG_WARN_STRICT_PROTOTYPES = YES
CLANG_WARN_SUSPICIOUS_MOVE = YES
CLANG_WARN_UNREACHABLE_CODE = YES
CLANG_WARN__DUPLICATE_METHOD_MATCH = YES
CLASS_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/JavaClasses
CLEAN_PRECOMPS = YES
CLONE_HEADERS = NO
CODESIGNING_FOLDER_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos/Runner.app
CODE_SIGNING_ALLOWED = YES
CODE_SIGNING_REQUIRED = YES
CODE_SIGN_CONTEXT_CLASS = XCiPhoneOSCodeSignContext
CODE_SIGN_IDENTITY = iPhone Developer
CODE_SIGN_INJECT_BASE_ENTITLEMENTS = YES
COLOR_DIAGNOSTICS = NO
COMBINE_HIDPI_IMAGES = NO
COMPILER_INDEX_STORE_ENABLE = Default
COMPOSITE_SDK_DIRS = /Users/cristi/Work/delete_me/hello_world/build/ios/CompositeSDKs
COMPRESS_PNG_FILES = YES
CONFIGURATION = Release
CONFIGURATION_BUILD_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
CONFIGURATION_TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos
CONTENTS_FOLDER_PATH = Runner.app
COPYING_PRESERVES_HFS_DATA = NO
COPY_HEADERS_RUN_UNIFDEF = NO
COPY_PHASE_STRIP = NO
COPY_RESOURCES_FROM_STATIC_FRAMEWORKS = YES
CORRESPONDING_SIMULATOR_PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform
CORRESPONDING_SIMULATOR_PLATFORM_NAME = iphonesimulator
CORRESPONDING_SIMULATOR_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk
CORRESPONDING_SIMULATOR_SDK_NAME = iphonesimulator11.3
CP = /bin/cp
CREATE_INFOPLIST_SECTION_IN_BINARY = NO
CURRENT_ARCH = arm64
CURRENT_PROJECT_VERSION = 1
CURRENT_VARIANT = normal
DEAD_CODE_STRIPPING = YES
DEBUGGING_SYMBOLS = YES
DEBUG_INFORMATION_FORMAT = dwarf-with-dsym
DEFAULT_COMPILER = com.apple.compilers.llvm.clang.1_0
DEFAULT_KEXT_INSTALL_PATH = /System/Library/Extensions
DEFINES_MODULE = NO
DEPLOYMENT_LOCATION = NO
DEPLOYMENT_POSTPROCESSING = NO
DEPLOYMENT_TARGET_CLANG_ENV_NAME = IPHONEOS_DEPLOYMENT_TARGET
DEPLOYMENT_TARGET_CLANG_FLAG_NAME = miphoneos-version-min
DEPLOYMENT_TARGET_CLANG_FLAG_PREFIX = -miphoneos-version-min=
DEPLOYMENT_TARGET_SETTING_NAME = IPHONEOS_DEPLOYMENT_TARGET
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
DERIVED_FILES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DERIVED_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DERIVED_SOURCES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
DEVELOPER_FRAMEWORKS_DIR = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_FRAMEWORKS_DIR_QUOTED = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/Developer/Library
DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs
DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Tools
DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
DEVELOPMENT_LANGUAGE = English
DOCUMENTATION_FOLDER_PATH = Runner.app/English.lproj/Documentation
DO_HEADER_SCANNING_IN_JAM = NO
DSTROOT = /tmp/Runner.dst
DT_TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
DWARF_DSYM_FILE_NAME = Runner.app.dSYM
DWARF_DSYM_FILE_SHOULD_ACCOMPANY_PRODUCT = NO
DWARF_DSYM_FOLDER_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
EFFECTIVE_PLATFORM_NAME = -iphoneos
EMBEDDED_CONTENT_CONTAINS_SWIFT = NO
EMBEDDED_PROFILE_NAME = embedded.mobileprovision
EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE = NO
ENABLE_BITCODE = NO
ENABLE_DEFAULT_HEADER_SEARCH_PATHS = YES
ENABLE_HEADER_DEPENDENCIES = YES
ENABLE_NS_ASSERTIONS = NO
ENABLE_ON_DEMAND_RESOURCES = YES
ENABLE_STRICT_OBJC_MSGSEND = YES
ENABLE_TESTABILITY = NO
ENTITLEMENTS_ALLOWED = YES
ENTITLEMENTS_REQUIRED = YES
EXCLUDED_INSTALLSRC_SUBDIRECTORY_PATTERNS = .DS_Store .svn .git .hg CVS
EXCLUDED_RECURSIVE_SEARCH_PATH_SUBDIRECTORIES = *.nib *.lproj *.framework *.gch *.xcode* *.xcassets (*) .DS_Store CVS .svn .git .hg *.pbproj *.pbxproj
EXECUTABLES_FOLDER_PATH = Runner.app/Executables
EXECUTABLE_FOLDER_PATH = Runner.app
EXECUTABLE_NAME = Runner
EXECUTABLE_PATH = Runner.app/Runner
EXPANDED_CODE_SIGN_IDENTITY =
EXPANDED_CODE_SIGN_IDENTITY_NAME =
EXPANDED_PROVISIONING_PROFILE =
FILE_LIST = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects/LinkFileList
FIXED_FILES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/FixedFiles
FLUTTER_APPLICATION_PATH = /Users/cristi/Work/delete_me/hello_world
FLUTTER_BUILD_DIR = build
FLUTTER_BUILD_MODE = debug
FLUTTER_FRAMEWORK_DIR = /Users/cristi/Libs/flutter/bin/cache/artifacts/engine/ios
FLUTTER_ROOT = /Users/cristi/Libs/flutter
FLUTTER_TARGET = lib/main.dart
FRAMEWORKS_FOLDER_PATH = Runner.app/Frameworks
FRAMEWORK_FLAG_PREFIX = -framework
FRAMEWORK_SEARCH_PATHS = /Users/cristi/Work/delete_me/hello_world/ios/Flutter
FRAMEWORK_VERSION = A
FULL_PRODUCT_NAME = Runner.app
GCC3_VERSION = 3.3
GCC_C_LANGUAGE_STANDARD = gnu99
GCC_INLINES_ARE_PRIVATE_EXTERN = YES
GCC_NO_COMMON_BLOCKS = YES
GCC_PFE_FILE_C_DIALECTS = c objective-c c++ objective-c++
GCC_SYMBOLS_PRIVATE_EXTERN = YES
GCC_THUMB_SUPPORT = YES
GCC_TREAT_WARNINGS_AS_ERRORS = NO
GCC_VERSION = com.apple.compilers.llvm.clang.1_0
GCC_VERSION_IDENTIFIER = com_apple_compilers_llvm_clang_1_0
GCC_WARN_64_TO_32_BIT_CONVERSION = YES
GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR
GCC_WARN_UNDECLARED_SELECTOR = YES
GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE
GCC_WARN_UNUSED_FUNCTION = YES
GCC_WARN_UNUSED_VARIABLE = YES
GENERATE_MASTER_OBJECT_FILE = NO
GENERATE_PKGINFO_FILE = YES
GENERATE_PROFILING_CODE = NO
GENERATE_TEXT_BASED_STUBS = NO
GID = 20
GROUP = staff
HEADERMAP_INCLUDES_FLAT_ENTRIES_FOR_TARGET_BEING_BUILT = YES
HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_ALL_PRODUCT_TYPES = YES
HEADERMAP_INCLUDES_NONPUBLIC_NONPRIVATE_HEADERS = YES
HEADERMAP_INCLUDES_PROJECT_HEADERS = YES
HEADERMAP_USES_FRAMEWORK_PREFIX_ENTRIES = YES
HEADERMAP_USES_VFS = NO
HIDE_BITCODE_SYMBOLS = YES
HOME = /Users/cristi
ICONV = /usr/bin/iconv
INFOPLIST_EXPAND_BUILD_SETTINGS = YES
INFOPLIST_FILE = Runner/Info.plist
INFOPLIST_OUTPUT_FORMAT = binary
INFOPLIST_PATH = Runner.app/Info.plist
INFOPLIST_PREPROCESS = NO
INFOSTRINGS_PATH = Runner.app/English.lproj/InfoPlist.strings
INLINE_PRIVATE_FRAMEWORKS = NO
INSTALLHDRS_COPY_PHASE = NO
INSTALLHDRS_SCRIPT_PHASE = NO
INSTALL_DIR = /tmp/Runner.dst/Applications
INSTALL_GROUP = staff
INSTALL_MODE_FLAG = u+w,go-w,a+rX
INSTALL_OWNER = cristi
INSTALL_PATH = /Applications
INSTALL_ROOT = /tmp/Runner.dst
IPHONEOS_DEPLOYMENT_TARGET = 8.0
JAVAC_DEFAULT_FLAGS = -J-Xms64m -J-XX:NewSize=4M -J-Dfile.encoding=UTF8
JAVA_APP_STUB = /System/Library/Frameworks/JavaVM.framework/Resources/MacOS/JavaApplicationStub
JAVA_ARCHIVE_CLASSES = YES
JAVA_ARCHIVE_TYPE = JAR
JAVA_COMPILER = /usr/bin/javac
JAVA_FOLDER_PATH = Runner.app/Java
JAVA_FRAMEWORK_RESOURCES_DIRS = Resources
JAVA_JAR_FLAGS = cv
JAVA_SOURCE_SUBDIR = .
JAVA_USE_DEPENDENCIES = YES
JAVA_ZIP_FLAGS = -urg
JIKES_DEFAULT_FLAGS = +E +OLDCSO
KASAN_DEFAULT_CFLAGS = -DKASAN=1 -fsanitize=address -mllvm -asan-globals-live-support -mllvm -asan-force-dynamic-shadow
KEEP_PRIVATE_EXTERNS = NO
LD_DEPENDENCY_INFO_FILE = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects-normal/arm64/Runner_dependency_info.dat
LD_GENERATE_MAP_FILE = NO
LD_MAP_FILE_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Runner-LinkMap-normal-arm64.txt
LD_NO_PIE = NO
LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER = YES
LD_RUNPATH_SEARCH_PATHS = @executable_path/Frameworks
LEGACY_DEVELOPER_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer
LEX = lex
LIBRARY_FLAG_NOSPACE = YES
LIBRARY_FLAG_PREFIX = -l
LIBRARY_KEXT_INSTALL_PATH = /Library/Extensions
LIBRARY_SEARCH_PATHS = /Users/cristi/Work/delete_me/hello_world/ios/Flutter
LINKER_DISPLAYS_MANGLED_NAMES = NO
LINK_FILE_LIST_normal_arm64 =
LINK_WITH_STANDARD_LIBRARIES = YES
LOCALIZABLE_CONTENT_DIR =
LOCALIZED_RESOURCES_FOLDER_PATH = Runner.app/English.lproj
LOCALIZED_STRING_MACRO_NAMES = NSLocalizedString CFLocalizedString
LOCAL_ADMIN_APPS_DIR = /Applications/Utilities
LOCAL_APPS_DIR = /Applications
LOCAL_DEVELOPER_DIR = /Library/Developer
LOCAL_LIBRARY_DIR = /Library
LOCROOT =
LOCSYMROOT =
MACH_O_TYPE = mh_execute
MAC_OS_X_PRODUCT_BUILD_VERSION = 17E199
MAC_OS_X_VERSION_ACTUAL = 101304
MAC_OS_X_VERSION_MAJOR = 101300
MAC_OS_X_VERSION_MINOR = 1304
METAL_LIBRARY_FILE_BASE = default
METAL_LIBRARY_OUTPUT_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos/Runner.app
MODULE_CACHE_DIR = /Users/cristi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex
MTL_ENABLE_DEBUG_INFO = NO
NATIVE_ARCH = armv7
NATIVE_ARCH_32_BIT = i386
NATIVE_ARCH_64_BIT = x86_64
NATIVE_ARCH_ACTUAL = x86_64
NO_COMMON = YES
OBJECT_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects
OBJECT_FILE_DIR_normal = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects-normal
OBJROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
ONLY_ACTIVE_ARCH = NO
OS = MACOS
OSAC = /usr/bin/osacompile
PACKAGE_TYPE = com.apple.package-type.wrapper.application
PASCAL_STRINGS = YES
PATH = /Applications/Xcode.app/Contents/Developer/usr/bin:/Library/Frameworks/Python.framework/Versions/3.6/bin:/Users/cristi/Libs/flutter/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/opt/X11/bin:/Applications/Wireshark.app/Contents/MacOS
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/Developer/SDKs /Applications/Xcode.app/Contents/Developer/Platforms
PBDEVELOPMENTPLIST_PATH = Runner.app/pbdevelopment.plist
PFE_FILE_C_DIALECTS = objective-c
PKGINFO_FILE_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/PkgInfo
PKGINFO_PATH = Runner.app/PkgInfo
PLATFORM_DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Applications
PLATFORM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin
PLATFORM_DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer/Library
PLATFORM_DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs
PLATFORM_DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Tools
PLATFORM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr
PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform
PLATFORM_DISPLAY_NAME = iOS
PLATFORM_NAME = iphoneos
PLATFORM_PREFERRED_ARCH = arm64
PLATFORM_PRODUCT_BUILD_VERSION = 15E217
PLIST_FILE_OUTPUT_FORMAT = binary
PLUGINS_FOLDER_PATH = Runner.app/PlugIns
PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR = YES
PRECOMP_DESTINATION_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/PrefixHeaders
PRESERVE_DEAD_CODE_INITS_AND_TERMS = NO
PREVIEW_DART_2 = true
PRIVATE_HEADERS_FOLDER_PATH = Runner.app/PrivateHeaders
PRODUCT_BUNDLE_IDENTIFIER = com.example.helloWorld
PRODUCT_MODULE_NAME = Runner
PRODUCT_NAME = Runner
PRODUCT_SETTINGS_PATH = /Users/cristi/Work/delete_me/hello_world/ios/Runner/Info.plist
PRODUCT_TYPE = com.apple.product-type.application
PROFILING_CODE = NO
PROJECT = Runner
PROJECT_DERIVED_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/DerivedSources
PROJECT_DIR = /Users/cristi/Work/delete_me/hello_world/ios
PROJECT_FILE_PATH = /Users/cristi/Work/delete_me/hello_world/ios/Runner.xcodeproj
PROJECT_NAME = Runner
PROJECT_TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build
PROJECT_TEMP_ROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
PROVISIONING_PROFILE_REQUIRED = YES
PUBLIC_HEADERS_FOLDER_PATH = Runner.app/Headers
RECURSIVE_SEARCH_PATHS_FOLLOW_SYMLINKS = YES
REMOVE_CVS_FROM_RESOURCES = YES
REMOVE_GIT_FROM_RESOURCES = YES
REMOVE_HEADERS_FROM_EMBEDDED_BUNDLES = YES
REMOVE_HG_FROM_RESOURCES = YES
REMOVE_SVN_FROM_RESOURCES = YES
RESOURCE_RULES_REQUIRED = YES
REZ_COLLECTOR_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/ResourceManagerResources
REZ_OBJECTS_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/ResourceManagerResources/Objects
SCAN_ALL_SOURCE_FILES_FOR_INCLUDES = NO
SCRIPTS_FOLDER_PATH = Runner.app/Scripts
SDKROOT = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk
SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk
SDK_DIR_iphoneos11_3 = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk
SDK_NAME = iphoneos11.3
SDK_NAMES = iphoneos11.3
SDK_PRODUCT_BUILD_VERSION = 15E217
SDK_VERSION = 11.3
SDK_VERSION_ACTUAL = 110300
SDK_VERSION_MAJOR = 110000
SDK_VERSION_MINOR = 300
SED = /usr/bin/sed
SEPARATE_STRIP = NO
SEPARATE_SYMBOL_EDIT = NO
SET_DIR_MODE_OWNER_GROUP = YES
SET_FILE_MODE_OWNER_GROUP = NO
SHALLOW_BUNDLE = YES
SHARED_DERIVED_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos/DerivedSources
SHARED_FRAMEWORKS_FOLDER_PATH = Runner.app/SharedFrameworks
SHARED_PRECOMPS_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/SharedPrecompiledHeaders
SHARED_SUPPORT_FOLDER_PATH = Runner.app/SharedSupport
SKIP_INSTALL = NO
SOURCE_ROOT = /Users/cristi/Work/delete_me/hello_world/ios
SRCROOT = /Users/cristi/Work/delete_me/hello_world/ios
STRINGS_FILE_OUTPUT_ENCODING = binary
STRIP_BITCODE_FROM_COPIED_FILES = YES
STRIP_INSTALLED_PRODUCT = YES
STRIP_STYLE = all
STRIP_SWIFT_SYMBOLS = YES
SUPPORTED_DEVICE_FAMILIES = 1,2
SUPPORTED_PLATFORMS = iphonesimulator iphoneos
SUPPORTS_TEXT_BASED_API = NO
SWIFT_PLATFORM_TARGET_PREFIX = ios
SYMROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
SYSTEM_ADMIN_APPS_DIR = /Applications/Utilities
SYSTEM_APPS_DIR = /Applications
SYSTEM_CORE_SERVICES_DIR = /System/Library/CoreServices
SYSTEM_DEMOS_DIR = /Applications/Extras
SYSTEM_DEVELOPER_APPS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
SYSTEM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
SYSTEM_DEVELOPER_DEMOS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built Examples
SYSTEM_DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
SYSTEM_DEVELOPER_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library
SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Graphics Tools
SYSTEM_DEVELOPER_JAVA_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Java Tools
SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Performance Tools
SYSTEM_DEVELOPER_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes
SYSTEM_DEVELOPER_TOOLS = /Applications/Xcode.app/Contents/Developer/Tools
SYSTEM_DEVELOPER_TOOLS_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools
SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools
SYSTEM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
SYSTEM_DEVELOPER_UTILITIES_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities
SYSTEM_DOCUMENTATION_DIR = /Library/Documentation
SYSTEM_KEXT_INSTALL_PATH = /System/Library/Extensions
SYSTEM_LIBRARY_DIR = /System/Library
TAPI_VERIFY_MODE = ErrorsOnly
TARGETED_DEVICE_FAMILY = 1,2
TARGETNAME = Runner
TARGET_BUILD_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
TARGET_NAME = Runner
TARGET_TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_FILES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_ROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
TREAT_MISSING_BASELINES_AS_TEST_FAILURES = NO
UID = 501
UNLOCALIZED_RESOURCES_FOLDER_PATH = Runner.app
UNSTRIPPED_PRODUCT = NO
USER = cristi
USER_APPS_DIR = /Users/cristi/Applications
USER_LIBRARY_DIR = /Users/cristi/Library
USE_DYNAMIC_NO_PIC = YES
USE_HEADERMAP = YES
USE_HEADER_SYMLINKS = NO
VALIDATE_PRODUCT = YES
VALID_ARCHS = arm64 armv7 armv7s
VERBOSE_PBXCP = NO
VERSIONING_SYSTEM = apple-generic
VERSIONPLIST_PATH = Runner.app/version.plist
VERSION_INFO_BUILDER = cristi
VERSION_INFO_FILE = Runner_vers.c
VERSION_INFO_STRING = "@(#)PROGRAM:Runner PROJECT:Runner-1"
WRAPPER_EXTENSION = app
WRAPPER_NAME = Runner.app
WRAPPER_SUFFIX = .app
WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES = NO
XCODE_APP_SUPPORT_DIR = /Applications/Xcode.app/Contents/Developer/Library/Xcode
XCODE_PRODUCT_BUILD_VERSION = 9E145
XCODE_VERSION_ACTUAL = 0930
XCODE_VERSION_MAJOR = 0900
XCODE_VERSION_MINOR = 0930
XPCSERVICES_FOLDER_PATH = Runner.app/XPCServices
YACC = yacc
arch = arm64
variant = normal
[ +3 ms] Building Runner.app for B522EC62-9D3C-4576-A133-156A3D99822A.
[ +1 ms] /Users/cristi/Libs/flutter/bin/cache/dart-sdk/bin/dart /Users/cristi/Libs/flutter/bin/cache/artifacts/engine/darwin-x64/frontend_server.dart.snapshot --sdk-root /Users/cristi/Libs/flutter/bin/cache/artifacts/engine/common/flutter_patched_sdk/ --strong --target=flutter --no-link-platform --incremental --packages /Users/cristi/Work/delete_me/hello_world/.packages --output-dill build/app.dill --depfile build/snapshot_blob.bin.d /Users/cristi/Work/delete_me/hello_world/lib/main.dart
[ ] script /dev/null /usr/bin/log stream --style syslog --predicate processImagePath CONTAINS "B522EC62-9D3C-4576-A133-156A3D99822A"
[ +19 ms] [DEVICE LOG] Filtering the log data using "processImagePath CONTAINS "B522EC62-9D3C-4576-A133-156A3D99822A""
[ ] [DEVICE LOG] Timestamp (process)[PID]
[+1219 ms] Building build/app.flx
[ ] which zip
[ +11 ms] Encoding zip file to build/app.flx
[ +49 ms] [build/flutter_assets/] zip -q /Users/cristi/Work/delete_me/hello_world/build/app.flx.tmp packages/cupertino_icons/assets/CupertinoIcons.ttf fonts/MaterialIcons-Regular.ttf AssetManifest.json FontManifest.json LICENSE kernel_blob.bin platform.dill
[ +994 ms] Built build/app.flx.
[ ] /usr/bin/xcrun simctl get_app_container B522EC62-9D3C-4576-A133-156A3D99822A com.example.helloWorld
[ ] /usr/bin/killall Runner
[ +123 ms] /usr/bin/xcrun simctl launch B522EC62-9D3C-4576-A133-156A3D99822A com.example.helloWorld --enable-dart-profiling --flutter-assets-dir=/Users/cristi/Work/delete_me/hello_world/build/flutter_assets --dart-main=/Users/cristi/Work/delete_me/hello_world/lib/main.dart.dill --packages=/Users/cristi/Work/delete_me/hello_world/.packages --enable-checked-mode --observatory-port=8100
[ +159 ms] com.example.helloWorld: 14296
[ ] Waiting for observatory port to be available...
[ +388 ms] [DEVICE LOG] 2018-04-26 10:43:10.405199-0700 localhost Runner[14296]: (Runner) Created Activity ID: 0x2c730, Description: Loading Preferences From System CFPrefsD For Search List
[ ] [DEVICE LOG] 2018-04-26 10:43:10.405199-0700 localhost Runner[14296]: (Runner) Created Activity ID: 0x2c731, Description: Loading Preferences From System CFPrefsD For Search List
[ +18 ms] [DEVICE LOG] 2018-04-26 10:43:10.424814-0700 localhost Runner[14296]: (libAccessibility.dylib) [com.apple.Accessibility:AccessibilitySupport] Retrieving resting unlock: 0
[ ] [DEVICE LOG] 2018-04-26 10:43:10.425012-0700 localhost Runner[14296]: (Runner) Created Activity ID: 0x2c732, Description: Loading Preferences From System CFPrefsD For Search List
[ +118 ms] [DEVICE LOG] 2018-04-26 10:43:10.543122-0700 localhost Runner[14296]: (UIKit) You've implemented -[<UIApplicationDelegate> application:didReceiveRemoteNotification:fetchCompletionHandler:], but you still need to add "remote-notification" to the list of your supported UIBackgroundModes in your Info.plist.
[ +149 ms] [DEVICE LOG] 2018-04-26 10:43:10.694173-0700 localhost Runner[14296]: (Flutter) Observatory listening on http://127.0.0.1:8100/
[ ] Observatory URL on device: http://127.0.0.1:8100/
[ +3 ms] Connecting to service protocol: http://127.0.0.1:8100/
[ +135 ms] Successfully connected to service protocol: http://127.0.0.1:8100/
[ +3 ms] getVM: {}
[ +8 ms] getIsolate: {isolateId: isolates/597477130}
[ +1 ms] _flutter.listViews: {}
[ +3 ms] Connecting to service protocol: http://127.0.0.1:8100/
[ +24 ms] Successfully connected to service protocol: http://127.0.0.1:8100/
[ ] getVM: {}
[ +2 ms] getIsolate: {isolateId: isolates/597477130}
[ ] _flutter.listViews: {}
[ +11 ms] DevFS: Creating new filesystem on the device (null)
[ ] _createDevFS: {fsName: hello_world}
[ +15 ms] DevFS: Created new filesystem on the device (file:///Users/cristi/Library/Developer/CoreSimulator/Devices/B522EC62-9D3C-4576-A133-156A3D99822A/data/Containers/Data/Application/B40F42DB-1887-42AE-B43F-AD7C4F1E8A94/tmp/hello_worldZWNdet/hello_world/)
[ ] DevFS: Creating new filesystem on the device (null)
[ ] _createDevFS: {fsName: hello_world}
[ +5 ms] Error 1001 received from application: File system already exists
[ ] {details: _createDevFS: file system 'hello_world' already exists}
[ +3 ms] Error initializing DevFS: NoSuchMethodError: The method '[]' was called on null.
Receiver: null
Tried calling: []("uri")
[ +13 ms] "flutter run" took 9,850ms.
#0 throwToolExit (package:flutter_tools/src/base/common.dart:28)
#1 RunCommand.runCommand (package:flutter_tools/src/commands/run.dart:407)
<asynchronous suspension>
#2 FlutterCommand.verifyThenRunCommand (package:flutter_tools/src/runner/flutter_command.dart:333)
<asynchronous suspension>
#3 FlutterCommand.run.<anonymous closure> (package:flutter_tools/src/runner/flutter_command.dart:270)
<asynchronous suspension>
#4 AppContext.run.<anonymous closure> (package:flutter_tools/src/base/context.dart:142)
<asynchronous suspension>
#5 _rootRun (dart:async/zone.dart:1126)
#6 _CustomZone.run (dart:async/zone.dart:1023)
#7 runZoned (dart:async/zone.dart:1501)
#8 AppContext.run (package:flutter_tools/src/base/context.dart:141)
<asynchronous suspension>
#9 FlutterCommand.run (package:flutter_tools/src/runner/flutter_command.dart:261)
#10 CommandRunner.runCommand (package:args/command_runner.dart:194)
<asynchronous suspension>
#11 FlutterCommandRunner.runCommand.<anonymous closure> (package:flutter_tools/src/runner/flutter_command_runner.dart:298)
<asynchronous suspension>
#12 AppContext.run.<anonymous closure> (package:flutter_tools/src/base/context.dart:142)
<asynchronous suspension>
#13 _rootRun (dart:async/zone.dart:1126)
#14 _CustomZone.run (dart:async/zone.dart:1023)
#15 runZoned (dart:async/zone.dart:1501)
#16 AppContext.run (package:flutter_tools/src/base/context.dart:141)
<asynchronous suspension>
#17 FlutterCommandRunner.runCommand (package:flutter_tools/src/runner/flutter_command_runner.dart:254)
<asynchronous suspension>
#18 CommandRunner.run.<anonymous closure> (package:args/command_runner.dart:109)
#19 new Future.sync (dart:async/future.dart:222)
#20 CommandRunner.run (package:args/command_runner.dart:109)
#21 FlutterCommandRunner.run (package:flutter_tools/src/runner/flutter_command_runner.dart:168)
#22 run.<anonymous closure> (package:flutter_tools/runner.dart:54)
<asynchronous suspension>
#23 AppContext.run.<anonymous closure> (package:flutter_tools/src/base/context.dart:142)
<asynchronous suspension>
#24 _rootRun (dart:async/zone.dart:1126)
#25 _CustomZone.run (dart:async/zone.dart:1023)
#26 runZoned (dart:async/zone.dart:1501)
#27 AppContext.run (package:flutter_tools/src/base/context.dart:141)
<asynchronous suspension>
#28 runInContext (package:flutter_tools/src/context_runner.dart:41)
<asynchronous suspension>
#29 run (package:flutter_tools/runner.dart:49)
#30 main (package:flutter_tools/executable.dart:48)
<asynchronous suspension>
#31 main (file:///Users/cristi/Libs/flutter/packages/flutter_tools/bin/flutter_tools.dart:16)
#32 _startIsolate.<anonymous closure> (dart:isolate-patch/dart:isolate/isolate_patch.dart:277)
#33 _RawReceivePortImpl._handleMessage (dart:isolate-patch/dart:isolate/isolate_patch.dart:165)"><pre class="notranslate"><code class="notranslate">[ +23 ms] [/Users/cristi/Libs/flutter/] git rev-parse --abbrev-ref --symbolic @{u}
[ +26 ms] Exit code 0 from: git rev-parse --abbrev-ref --symbolic @{u}
[ ] origin/beta
[ ] [/Users/cristi/Libs/flutter/] git rev-parse --abbrev-ref HEAD
[ +5 ms] Exit code 0 from: git rev-parse --abbrev-ref HEAD
[ ] beta
[ ] [/Users/cristi/Libs/flutter/] git ls-remote --get-url origin
[ +5 ms] Exit code 0 from: git ls-remote --get-url origin
[ ] https://github.com/flutter/flutter.git
[ ] [/Users/cristi/Libs/flutter/] git log -n 1 --pretty=format:%H
[ +13 ms] Exit code 0 from: git log -n 1 --pretty=format:%H
[ ] b397406561f5e7a9c94e28f58d9e49fca0dd58b7
[ ] [/Users/cristi/Libs/flutter/] git log -n 1 --pretty=format:%ar
[ +6 ms] Exit code 0 from: git log -n 1 --pretty=format:%ar
[ ] 3 weeks ago
[ ] [/Users/cristi/Libs/flutter/] git describe --match v*.*.* --first-parent --long --tags
[ +9 ms] Exit code 0 from: git describe --match v*.*.* --first-parent --long --tags
[ ] v0.2.8-0-gb39740656
[ +235 ms] /usr/bin/defaults read /Applications/Android Studio.app/Contents/Info CFBundleShortVersionString
[ +41 ms] Exit code 0 from: /usr/bin/defaults read /Applications/Android Studio.app/Contents/Info CFBundleShortVersionString
[ ] 3.1
[ +109 ms] /usr/local/share/android-sdk/platform-tools/adb devices -l
[ +14 ms] Exit code 0 from: /usr/local/share/android-sdk/platform-tools/adb devices -l
[ ] List of devices attached
[ +4 ms] idevice_id -h
[ +248 ms] /usr/bin/xcrun simctl list --json devices
[ +764 ms] Launching lib/main.dart on iPhone X in debug mode...
[ +1 ms] /usr/bin/defaults read /Users/cristi/Work/delete_me/hello_world/ios/Runner/Info CFBundleIdentifier
[ +34 ms] Exit code 0 from: /usr/bin/defaults read /Users/cristi/Work/delete_me/hello_world/ios/Runner/Info CFBundleIdentifier
[ ] $(PRODUCT_BUNDLE_IDENTIFIER)
[ ] [ios/Runner.xcodeproj/] /usr/bin/xcodebuild -project /Users/cristi/Work/delete_me/hello_world/ios/Runner.xcodeproj -target Runner -showBuildSettings
[ +862 ms] Exit code 0 from: /usr/bin/xcodebuild -project /Users/cristi/Work/delete_me/hello_world/ios/Runner.xcodeproj -target Runner -showBuildSettings
[ ] Build settings for action build and target Runner:
ACTION = build
AD_HOC_CODE_SIGNING_ALLOWED = NO
ALTERNATE_GROUP = staff
ALTERNATE_MODE = u+w,go-w,a+rX
ALTERNATE_OWNER = cristi
ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO
ALWAYS_SEARCH_USER_PATHS = NO
ALWAYS_USE_SEPARATE_HEADERMAPS = NO
APPLE_INTERNAL_DEVELOPER_DIR = /AppleInternal/Developer
APPLE_INTERNAL_DIR = /AppleInternal
APPLE_INTERNAL_DOCUMENTATION_DIR = /AppleInternal/Documentation
APPLE_INTERNAL_LIBRARY_DIR = /AppleInternal/Library
APPLE_INTERNAL_TOOLS = /AppleInternal/Developer/Tools
APPLICATION_EXTENSION_API_ONLY = NO
APPLY_RULES_IN_COPY_FILES = NO
ARCHS = arm64
ARCHS_STANDARD = armv7 arm64
ARCHS_STANDARD_32_64_BIT = armv7 arm64
ARCHS_STANDARD_32_BIT = armv7
ARCHS_STANDARD_64_BIT = arm64
ARCHS_STANDARD_INCLUDING_64_BIT = armv7 arm64
ARCHS_UNIVERSAL_IPHONE_OS = armv7 arm64
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon
AVAILABLE_PLATFORMS = appletvos appletvsimulator iphoneos iphonesimulator macosx watchos watchsimulator
BITCODE_GENERATION_MODE = marker
BUILD_ACTIVE_RESOURCES_ONLY = NO
BUILD_COMPONENTS = headers build
BUILD_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios
BUILD_ROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
BUILD_STYLE =
BUILD_VARIANTS = normal
BUILT_PRODUCTS_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
CACHE_ROOT = /var/folders/f9/_xl3_vm51qj7lkc_wqc5275r0000gn/C/com.apple.DeveloperTools/9.3-9E145/Xcode
CCHROOT = /var/folders/f9/_xl3_vm51qj7lkc_wqc5275r0000gn/C/com.apple.DeveloperTools/9.3-9E145/Xcode
CHMOD = /bin/chmod
CHOWN = /usr/sbin/chown
CLANG_ANALYZER_NONNULL = YES
CLANG_CXX_LANGUAGE_STANDARD = gnu++0x
CLANG_CXX_LIBRARY = libc++
CLANG_ENABLE_MODULES = YES
CLANG_ENABLE_OBJC_ARC = YES
CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES
CLANG_WARN_BOOL_CONVERSION = YES
CLANG_WARN_COMMA = YES
CLANG_WARN_CONSTANT_CONVERSION = YES
CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR
CLANG_WARN_EMPTY_BODY = YES
CLANG_WARN_ENUM_CONVERSION = YES
CLANG_WARN_INFINITE_RECURSION = YES
CLANG_WARN_INT_CONVERSION = YES
CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES
CLANG_WARN_OBJC_LITERAL_CONVERSION = YES
CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR
CLANG_WARN_RANGE_LOOP_ANALYSIS = YES
CLANG_WARN_STRICT_PROTOTYPES = YES
CLANG_WARN_SUSPICIOUS_MOVE = YES
CLANG_WARN_UNREACHABLE_CODE = YES
CLANG_WARN__DUPLICATE_METHOD_MATCH = YES
CLASS_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/JavaClasses
CLEAN_PRECOMPS = YES
CLONE_HEADERS = NO
CODESIGNING_FOLDER_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos/Runner.app
CODE_SIGNING_ALLOWED = YES
CODE_SIGNING_REQUIRED = YES
CODE_SIGN_CONTEXT_CLASS = XCiPhoneOSCodeSignContext
CODE_SIGN_IDENTITY = iPhone Developer
CODE_SIGN_INJECT_BASE_ENTITLEMENTS = YES
COLOR_DIAGNOSTICS = NO
COMBINE_HIDPI_IMAGES = NO
COMPILER_INDEX_STORE_ENABLE = Default
COMPOSITE_SDK_DIRS = /Users/cristi/Work/delete_me/hello_world/build/ios/CompositeSDKs
COMPRESS_PNG_FILES = YES
CONFIGURATION = Release
CONFIGURATION_BUILD_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
CONFIGURATION_TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos
CONTENTS_FOLDER_PATH = Runner.app
COPYING_PRESERVES_HFS_DATA = NO
COPY_HEADERS_RUN_UNIFDEF = NO
COPY_PHASE_STRIP = NO
COPY_RESOURCES_FROM_STATIC_FRAMEWORKS = YES
CORRESPONDING_SIMULATOR_PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform
CORRESPONDING_SIMULATOR_PLATFORM_NAME = iphonesimulator
CORRESPONDING_SIMULATOR_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk
CORRESPONDING_SIMULATOR_SDK_NAME = iphonesimulator11.3
CP = /bin/cp
CREATE_INFOPLIST_SECTION_IN_BINARY = NO
CURRENT_ARCH = arm64
CURRENT_PROJECT_VERSION = 1
CURRENT_VARIANT = normal
DEAD_CODE_STRIPPING = YES
DEBUGGING_SYMBOLS = YES
DEBUG_INFORMATION_FORMAT = dwarf-with-dsym
DEFAULT_COMPILER = com.apple.compilers.llvm.clang.1_0
DEFAULT_KEXT_INSTALL_PATH = /System/Library/Extensions
DEFINES_MODULE = NO
DEPLOYMENT_LOCATION = NO
DEPLOYMENT_POSTPROCESSING = NO
DEPLOYMENT_TARGET_CLANG_ENV_NAME = IPHONEOS_DEPLOYMENT_TARGET
DEPLOYMENT_TARGET_CLANG_FLAG_NAME = miphoneos-version-min
DEPLOYMENT_TARGET_CLANG_FLAG_PREFIX = -miphoneos-version-min=
DEPLOYMENT_TARGET_SETTING_NAME = IPHONEOS_DEPLOYMENT_TARGET
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
DERIVED_FILES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DERIVED_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DERIVED_SOURCES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
DEVELOPER_FRAMEWORKS_DIR = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_FRAMEWORKS_DIR_QUOTED = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/Developer/Library
DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs
DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Tools
DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
DEVELOPMENT_LANGUAGE = English
DOCUMENTATION_FOLDER_PATH = Runner.app/English.lproj/Documentation
DO_HEADER_SCANNING_IN_JAM = NO
DSTROOT = /tmp/Runner.dst
DT_TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
DWARF_DSYM_FILE_NAME = Runner.app.dSYM
DWARF_DSYM_FILE_SHOULD_ACCOMPANY_PRODUCT = NO
DWARF_DSYM_FOLDER_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
EFFECTIVE_PLATFORM_NAME = -iphoneos
EMBEDDED_CONTENT_CONTAINS_SWIFT = NO
EMBEDDED_PROFILE_NAME = embedded.mobileprovision
EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE = NO
ENABLE_BITCODE = NO
ENABLE_DEFAULT_HEADER_SEARCH_PATHS = YES
ENABLE_HEADER_DEPENDENCIES = YES
ENABLE_NS_ASSERTIONS = NO
ENABLE_ON_DEMAND_RESOURCES = YES
ENABLE_STRICT_OBJC_MSGSEND = YES
ENABLE_TESTABILITY = NO
ENTITLEMENTS_ALLOWED = YES
ENTITLEMENTS_REQUIRED = YES
EXCLUDED_INSTALLSRC_SUBDIRECTORY_PATTERNS = .DS_Store .svn .git .hg CVS
EXCLUDED_RECURSIVE_SEARCH_PATH_SUBDIRECTORIES = *.nib *.lproj *.framework *.gch *.xcode* *.xcassets (*) .DS_Store CVS .svn .git .hg *.pbproj *.pbxproj
EXECUTABLES_FOLDER_PATH = Runner.app/Executables
EXECUTABLE_FOLDER_PATH = Runner.app
EXECUTABLE_NAME = Runner
EXECUTABLE_PATH = Runner.app/Runner
EXPANDED_CODE_SIGN_IDENTITY =
EXPANDED_CODE_SIGN_IDENTITY_NAME =
EXPANDED_PROVISIONING_PROFILE =
FILE_LIST = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects/LinkFileList
FIXED_FILES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/FixedFiles
FLUTTER_APPLICATION_PATH = /Users/cristi/Work/delete_me/hello_world
FLUTTER_BUILD_DIR = build
FLUTTER_BUILD_MODE = debug
FLUTTER_FRAMEWORK_DIR = /Users/cristi/Libs/flutter/bin/cache/artifacts/engine/ios
FLUTTER_ROOT = /Users/cristi/Libs/flutter
FLUTTER_TARGET = lib/main.dart
FRAMEWORKS_FOLDER_PATH = Runner.app/Frameworks
FRAMEWORK_FLAG_PREFIX = -framework
FRAMEWORK_SEARCH_PATHS = /Users/cristi/Work/delete_me/hello_world/ios/Flutter
FRAMEWORK_VERSION = A
FULL_PRODUCT_NAME = Runner.app
GCC3_VERSION = 3.3
GCC_C_LANGUAGE_STANDARD = gnu99
GCC_INLINES_ARE_PRIVATE_EXTERN = YES
GCC_NO_COMMON_BLOCKS = YES
GCC_PFE_FILE_C_DIALECTS = c objective-c c++ objective-c++
GCC_SYMBOLS_PRIVATE_EXTERN = YES
GCC_THUMB_SUPPORT = YES
GCC_TREAT_WARNINGS_AS_ERRORS = NO
GCC_VERSION = com.apple.compilers.llvm.clang.1_0
GCC_VERSION_IDENTIFIER = com_apple_compilers_llvm_clang_1_0
GCC_WARN_64_TO_32_BIT_CONVERSION = YES
GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR
GCC_WARN_UNDECLARED_SELECTOR = YES
GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE
GCC_WARN_UNUSED_FUNCTION = YES
GCC_WARN_UNUSED_VARIABLE = YES
GENERATE_MASTER_OBJECT_FILE = NO
GENERATE_PKGINFO_FILE = YES
GENERATE_PROFILING_CODE = NO
GENERATE_TEXT_BASED_STUBS = NO
GID = 20
GROUP = staff
HEADERMAP_INCLUDES_FLAT_ENTRIES_FOR_TARGET_BEING_BUILT = YES
HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_ALL_PRODUCT_TYPES = YES
HEADERMAP_INCLUDES_NONPUBLIC_NONPRIVATE_HEADERS = YES
HEADERMAP_INCLUDES_PROJECT_HEADERS = YES
HEADERMAP_USES_FRAMEWORK_PREFIX_ENTRIES = YES
HEADERMAP_USES_VFS = NO
HIDE_BITCODE_SYMBOLS = YES
HOME = /Users/cristi
ICONV = /usr/bin/iconv
INFOPLIST_EXPAND_BUILD_SETTINGS = YES
INFOPLIST_FILE = Runner/Info.plist
INFOPLIST_OUTPUT_FORMAT = binary
INFOPLIST_PATH = Runner.app/Info.plist
INFOPLIST_PREPROCESS = NO
INFOSTRINGS_PATH = Runner.app/English.lproj/InfoPlist.strings
INLINE_PRIVATE_FRAMEWORKS = NO
INSTALLHDRS_COPY_PHASE = NO
INSTALLHDRS_SCRIPT_PHASE = NO
INSTALL_DIR = /tmp/Runner.dst/Applications
INSTALL_GROUP = staff
INSTALL_MODE_FLAG = u+w,go-w,a+rX
INSTALL_OWNER = cristi
INSTALL_PATH = /Applications
INSTALL_ROOT = /tmp/Runner.dst
IPHONEOS_DEPLOYMENT_TARGET = 8.0
JAVAC_DEFAULT_FLAGS = -J-Xms64m -J-XX:NewSize=4M -J-Dfile.encoding=UTF8
JAVA_APP_STUB = /System/Library/Frameworks/JavaVM.framework/Resources/MacOS/JavaApplicationStub
JAVA_ARCHIVE_CLASSES = YES
JAVA_ARCHIVE_TYPE = JAR
JAVA_COMPILER = /usr/bin/javac
JAVA_FOLDER_PATH = Runner.app/Java
JAVA_FRAMEWORK_RESOURCES_DIRS = Resources
JAVA_JAR_FLAGS = cv
JAVA_SOURCE_SUBDIR = .
JAVA_USE_DEPENDENCIES = YES
JAVA_ZIP_FLAGS = -urg
JIKES_DEFAULT_FLAGS = +E +OLDCSO
KASAN_DEFAULT_CFLAGS = -DKASAN=1 -fsanitize=address -mllvm -asan-globals-live-support -mllvm -asan-force-dynamic-shadow
KEEP_PRIVATE_EXTERNS = NO
LD_DEPENDENCY_INFO_FILE = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects-normal/arm64/Runner_dependency_info.dat
LD_GENERATE_MAP_FILE = NO
LD_MAP_FILE_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Runner-LinkMap-normal-arm64.txt
LD_NO_PIE = NO
LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER = YES
LD_RUNPATH_SEARCH_PATHS = @executable_path/Frameworks
LEGACY_DEVELOPER_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer
LEX = lex
LIBRARY_FLAG_NOSPACE = YES
LIBRARY_FLAG_PREFIX = -l
LIBRARY_KEXT_INSTALL_PATH = /Library/Extensions
LIBRARY_SEARCH_PATHS = /Users/cristi/Work/delete_me/hello_world/ios/Flutter
LINKER_DISPLAYS_MANGLED_NAMES = NO
LINK_FILE_LIST_normal_arm64 =
LINK_WITH_STANDARD_LIBRARIES = YES
LOCALIZABLE_CONTENT_DIR =
LOCALIZED_RESOURCES_FOLDER_PATH = Runner.app/English.lproj
LOCALIZED_STRING_MACRO_NAMES = NSLocalizedString CFLocalizedString
LOCAL_ADMIN_APPS_DIR = /Applications/Utilities
LOCAL_APPS_DIR = /Applications
LOCAL_DEVELOPER_DIR = /Library/Developer
LOCAL_LIBRARY_DIR = /Library
LOCROOT =
LOCSYMROOT =
MACH_O_TYPE = mh_execute
MAC_OS_X_PRODUCT_BUILD_VERSION = 17E199
MAC_OS_X_VERSION_ACTUAL = 101304
MAC_OS_X_VERSION_MAJOR = 101300
MAC_OS_X_VERSION_MINOR = 1304
METAL_LIBRARY_FILE_BASE = default
METAL_LIBRARY_OUTPUT_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos/Runner.app
MODULE_CACHE_DIR = /Users/cristi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex
MTL_ENABLE_DEBUG_INFO = NO
NATIVE_ARCH = armv7
NATIVE_ARCH_32_BIT = i386
NATIVE_ARCH_64_BIT = x86_64
NATIVE_ARCH_ACTUAL = x86_64
NO_COMMON = YES
OBJECT_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects
OBJECT_FILE_DIR_normal = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects-normal
OBJROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
ONLY_ACTIVE_ARCH = NO
OS = MACOS
OSAC = /usr/bin/osacompile
PACKAGE_TYPE = com.apple.package-type.wrapper.application
PASCAL_STRINGS = YES
PATH = /Applications/Xcode.app/Contents/Developer/usr/bin:/Library/Frameworks/Python.framework/Versions/3.6/bin:/Users/cristi/Libs/flutter/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/opt/X11/bin:/Applications/Wireshark.app/Contents/MacOS
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/Developer/SDKs /Applications/Xcode.app/Contents/Developer/Platforms
PBDEVELOPMENTPLIST_PATH = Runner.app/pbdevelopment.plist
PFE_FILE_C_DIALECTS = objective-c
PKGINFO_FILE_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/PkgInfo
PKGINFO_PATH = Runner.app/PkgInfo
PLATFORM_DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Applications
PLATFORM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin
PLATFORM_DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer/Library
PLATFORM_DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs
PLATFORM_DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Tools
PLATFORM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr
PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform
PLATFORM_DISPLAY_NAME = iOS
PLATFORM_NAME = iphoneos
PLATFORM_PREFERRED_ARCH = arm64
PLATFORM_PRODUCT_BUILD_VERSION = 15E217
PLIST_FILE_OUTPUT_FORMAT = binary
PLUGINS_FOLDER_PATH = Runner.app/PlugIns
PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR = YES
PRECOMP_DESTINATION_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/PrefixHeaders
PRESERVE_DEAD_CODE_INITS_AND_TERMS = NO
PREVIEW_DART_2 = true
PRIVATE_HEADERS_FOLDER_PATH = Runner.app/PrivateHeaders
PRODUCT_BUNDLE_IDENTIFIER = com.example.helloWorld
PRODUCT_MODULE_NAME = Runner
PRODUCT_NAME = Runner
PRODUCT_SETTINGS_PATH = /Users/cristi/Work/delete_me/hello_world/ios/Runner/Info.plist
PRODUCT_TYPE = com.apple.product-type.application
PROFILING_CODE = NO
PROJECT = Runner
PROJECT_DERIVED_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/DerivedSources
PROJECT_DIR = /Users/cristi/Work/delete_me/hello_world/ios
PROJECT_FILE_PATH = /Users/cristi/Work/delete_me/hello_world/ios/Runner.xcodeproj
PROJECT_NAME = Runner
PROJECT_TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build
PROJECT_TEMP_ROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
PROVISIONING_PROFILE_REQUIRED = YES
PUBLIC_HEADERS_FOLDER_PATH = Runner.app/Headers
RECURSIVE_SEARCH_PATHS_FOLLOW_SYMLINKS = YES
REMOVE_CVS_FROM_RESOURCES = YES
REMOVE_GIT_FROM_RESOURCES = YES
REMOVE_HEADERS_FROM_EMBEDDED_BUNDLES = YES
REMOVE_HG_FROM_RESOURCES = YES
REMOVE_SVN_FROM_RESOURCES = YES
RESOURCE_RULES_REQUIRED = YES
REZ_COLLECTOR_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/ResourceManagerResources
REZ_OBJECTS_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/ResourceManagerResources/Objects
SCAN_ALL_SOURCE_FILES_FOR_INCLUDES = NO
SCRIPTS_FOLDER_PATH = Runner.app/Scripts
SDKROOT = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk
SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk
SDK_DIR_iphoneos11_3 = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk
SDK_NAME = iphoneos11.3
SDK_NAMES = iphoneos11.3
SDK_PRODUCT_BUILD_VERSION = 15E217
SDK_VERSION = 11.3
SDK_VERSION_ACTUAL = 110300
SDK_VERSION_MAJOR = 110000
SDK_VERSION_MINOR = 300
SED = /usr/bin/sed
SEPARATE_STRIP = NO
SEPARATE_SYMBOL_EDIT = NO
SET_DIR_MODE_OWNER_GROUP = YES
SET_FILE_MODE_OWNER_GROUP = NO
SHALLOW_BUNDLE = YES
SHARED_DERIVED_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos/DerivedSources
SHARED_FRAMEWORKS_FOLDER_PATH = Runner.app/SharedFrameworks
SHARED_PRECOMPS_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/SharedPrecompiledHeaders
SHARED_SUPPORT_FOLDER_PATH = Runner.app/SharedSupport
SKIP_INSTALL = NO
SOURCE_ROOT = /Users/cristi/Work/delete_me/hello_world/ios
SRCROOT = /Users/cristi/Work/delete_me/hello_world/ios
STRINGS_FILE_OUTPUT_ENCODING = binary
STRIP_BITCODE_FROM_COPIED_FILES = YES
STRIP_INSTALLED_PRODUCT = YES
STRIP_STYLE = all
STRIP_SWIFT_SYMBOLS = YES
SUPPORTED_DEVICE_FAMILIES = 1,2
SUPPORTED_PLATFORMS = iphonesimulator iphoneos
SUPPORTS_TEXT_BASED_API = NO
SWIFT_PLATFORM_TARGET_PREFIX = ios
SYMROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
SYSTEM_ADMIN_APPS_DIR = /Applications/Utilities
SYSTEM_APPS_DIR = /Applications
SYSTEM_CORE_SERVICES_DIR = /System/Library/CoreServices
SYSTEM_DEMOS_DIR = /Applications/Extras
SYSTEM_DEVELOPER_APPS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
SYSTEM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
SYSTEM_DEVELOPER_DEMOS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built Examples
SYSTEM_DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
SYSTEM_DEVELOPER_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library
SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Graphics Tools
SYSTEM_DEVELOPER_JAVA_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Java Tools
SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Performance Tools
SYSTEM_DEVELOPER_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes
SYSTEM_DEVELOPER_TOOLS = /Applications/Xcode.app/Contents/Developer/Tools
SYSTEM_DEVELOPER_TOOLS_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools
SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools
SYSTEM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
SYSTEM_DEVELOPER_UTILITIES_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities
SYSTEM_DOCUMENTATION_DIR = /Library/Documentation
SYSTEM_KEXT_INSTALL_PATH = /System/Library/Extensions
SYSTEM_LIBRARY_DIR = /System/Library
TAPI_VERIFY_MODE = ErrorsOnly
TARGETED_DEVICE_FAMILY = 1,2
TARGETNAME = Runner
TARGET_BUILD_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
TARGET_NAME = Runner
TARGET_TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_FILES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_ROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
TREAT_MISSING_BASELINES_AS_TEST_FAILURES = NO
UID = 501
UNLOCALIZED_RESOURCES_FOLDER_PATH = Runner.app
UNSTRIPPED_PRODUCT = NO
USER = cristi
USER_APPS_DIR = /Users/cristi/Applications
USER_LIBRARY_DIR = /Users/cristi/Library
USE_DYNAMIC_NO_PIC = YES
USE_HEADERMAP = YES
USE_HEADER_SYMLINKS = NO
VALIDATE_PRODUCT = YES
VALID_ARCHS = arm64 armv7 armv7s
VERBOSE_PBXCP = NO
VERSIONING_SYSTEM = apple-generic
VERSIONPLIST_PATH = Runner.app/version.plist
VERSION_INFO_BUILDER = cristi
VERSION_INFO_FILE = Runner_vers.c
VERSION_INFO_STRING = "@(#)PROGRAM:Runner PROJECT:Runner-1"
WRAPPER_EXTENSION = app
WRAPPER_NAME = Runner.app
WRAPPER_SUFFIX = .app
WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES = NO
XCODE_APP_SUPPORT_DIR = /Applications/Xcode.app/Contents/Developer/Library/Xcode
XCODE_PRODUCT_BUILD_VERSION = 9E145
XCODE_VERSION_ACTUAL = 0930
XCODE_VERSION_MAJOR = 0900
XCODE_VERSION_MINOR = 0930
XPCSERVICES_FOLDER_PATH = Runner.app/XPCServices
YACC = yacc
arch = arm64
variant = normal
[ +16 ms] Building Runner.app for 7FF17A57-9FED-4C48-AE3A-9A121911EB30.
[ +7 ms] /Users/cristi/Libs/flutter/bin/cache/dart-sdk/bin/dart /Users/cristi/Libs/flutter/bin/cache/artifacts/engine/darwin-x64/frontend_server.dart.snapshot --sdk-root /Users/cristi/Libs/flutter/bin/cache/artifacts/engine/common/flutter_patched_sdk/ --strong --target=flutter --no-link-platform --incremental --packages /Users/cristi/Work/delete_me/hello_world/.packages --output-dill build/app.dill --depfile build/snapshot_blob.bin.d /Users/cristi/Work/delete_me/hello_world/lib/main.dart
[ +1 ms] script /dev/null /usr/bin/log stream --style syslog --predicate processImagePath CONTAINS "7FF17A57-9FED-4C48-AE3A-9A121911EB30"
[ +26 ms] [DEVICE LOG] Filtering the log data using "processImagePath CONTAINS "7FF17A57-9FED-4C48-AE3A-9A121911EB30""
[ +7 ms] [DEVICE LOG] Timestamp (process)[PID]
[+1254 ms] Building build/app.flx
[ +1 ms] which zip
[ +5 ms] Encoding zip file to build/app.flx
[ +46 ms] [build/flutter_assets/] zip -q /Users/cristi/Work/delete_me/hello_world/build/app.flx.tmp packages/cupertino_icons/assets/CupertinoIcons.ttf fonts/MaterialIcons-Regular.ttf AssetManifest.json FontManifest.json LICENSE kernel_blob.bin platform.dill
[ +933 ms] Built build/app.flx.
[ +1 ms] /usr/bin/xcrun simctl get_app_container 7FF17A57-9FED-4C48-AE3A-9A121911EB30 com.example.helloWorld
[ ] /usr/bin/killall Runner
[ +133 ms] /usr/bin/xcrun simctl launch 7FF17A57-9FED-4C48-AE3A-9A121911EB30 com.example.helloWorld --enable-dart-profiling --flutter-assets-dir=/Users/cristi/Work/delete_me/hello_world/build/flutter_assets --dart-main=/Users/cristi/Work/delete_me/hello_world/lib/main.dart.dill --packages=/Users/cristi/Work/delete_me/hello_world/.packages --enable-checked-mode --observatory-port=8100
[ +148 ms] com.example.helloWorld: 14269
[ ] Waiting for observatory port to be available...
[ +176 ms] [DEVICE LOG] 2018-04-26 10:43:06.107086-0700 localhost Runner[14269]: (Runner) Created Activity ID: 0x2c5b0, Description: Loading Preferences From System CFPrefsD For Search List
[ +1 ms] [DEVICE LOG] 2018-04-26 10:43:06.107085-0700 localhost Runner[14269]: (Runner) Created Activity ID: 0x2c5b1, Description: Loading Preferences From System CFPrefsD For Search List
[ +16 ms] [DEVICE LOG] 2018-04-26 10:43:06.125951-0700 localhost Runner[14269]: (Runner) Created Activity ID: 0x2c5b2, Description: Loading Preferences From System CFPrefsD For Search List
[ +8 ms] [DEVICE LOG] 2018-04-26 10:43:06.132955-0700 localhost Runner[14269]: (libAccessibility.dylib) [com.apple.Accessibility:AccessibilitySupport] Retrieving resting unlock: 0
[ +80 ms] [DEVICE LOG] 2018-04-26 10:43:06.214997-0700 localhost Runner[14269]: (UIKit) You've implemented -[<UIApplicationDelegate> application:didReceiveRemoteNotification:fetchCompletionHandler:], but you still need to add "remote-notification" to the list of your supported UIBackgroundModes in your Info.plist.
[ +171 ms] [DEVICE LOG] 2018-04-26 10:43:06.387055-0700 localhost Runner[14269]: (Flutter) Observatory listening on http://127.0.0.1:8100/
[ +2 ms] Observatory URL on device: http://127.0.0.1:8100/
[ ] Launching lib/main.dart on iPad Air 2 in debug mode...
[ ] /usr/bin/defaults read /Users/cristi/Work/delete_me/hello_world/ios/Runner/Info CFBundleIdentifier
[ +41 ms] Exit code 0 from: /usr/bin/defaults read /Users/cristi/Work/delete_me/hello_world/ios/Runner/Info CFBundleIdentifier
[ ] $(PRODUCT_BUNDLE_IDENTIFIER)
[ ] [ios/Runner.xcodeproj/] /usr/bin/xcodebuild -project /Users/cristi/Work/delete_me/hello_world/ios/Runner.xcodeproj -target Runner -showBuildSettings
[+1000 ms] Exit code 0 from: /usr/bin/xcodebuild -project /Users/cristi/Work/delete_me/hello_world/ios/Runner.xcodeproj -target Runner -showBuildSettings
[ ] Build settings for action build and target Runner:
ACTION = build
AD_HOC_CODE_SIGNING_ALLOWED = NO
ALTERNATE_GROUP = staff
ALTERNATE_MODE = u+w,go-w,a+rX
ALTERNATE_OWNER = cristi
ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO
ALWAYS_SEARCH_USER_PATHS = NO
ALWAYS_USE_SEPARATE_HEADERMAPS = NO
APPLE_INTERNAL_DEVELOPER_DIR = /AppleInternal/Developer
APPLE_INTERNAL_DIR = /AppleInternal
APPLE_INTERNAL_DOCUMENTATION_DIR = /AppleInternal/Documentation
APPLE_INTERNAL_LIBRARY_DIR = /AppleInternal/Library
APPLE_INTERNAL_TOOLS = /AppleInternal/Developer/Tools
APPLICATION_EXTENSION_API_ONLY = NO
APPLY_RULES_IN_COPY_FILES = NO
ARCHS = arm64
ARCHS_STANDARD = armv7 arm64
ARCHS_STANDARD_32_64_BIT = armv7 arm64
ARCHS_STANDARD_32_BIT = armv7
ARCHS_STANDARD_64_BIT = arm64
ARCHS_STANDARD_INCLUDING_64_BIT = armv7 arm64
ARCHS_UNIVERSAL_IPHONE_OS = armv7 arm64
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon
AVAILABLE_PLATFORMS = appletvos appletvsimulator iphoneos iphonesimulator macosx watchos watchsimulator
BITCODE_GENERATION_MODE = marker
BUILD_ACTIVE_RESOURCES_ONLY = NO
BUILD_COMPONENTS = headers build
BUILD_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios
BUILD_ROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
BUILD_STYLE =
BUILD_VARIANTS = normal
BUILT_PRODUCTS_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
CACHE_ROOT = /var/folders/f9/_xl3_vm51qj7lkc_wqc5275r0000gn/C/com.apple.DeveloperTools/9.3-9E145/Xcode
CCHROOT = /var/folders/f9/_xl3_vm51qj7lkc_wqc5275r0000gn/C/com.apple.DeveloperTools/9.3-9E145/Xcode
CHMOD = /bin/chmod
CHOWN = /usr/sbin/chown
CLANG_ANALYZER_NONNULL = YES
CLANG_CXX_LANGUAGE_STANDARD = gnu++0x
CLANG_CXX_LIBRARY = libc++
CLANG_ENABLE_MODULES = YES
CLANG_ENABLE_OBJC_ARC = YES
CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES
CLANG_WARN_BOOL_CONVERSION = YES
CLANG_WARN_COMMA = YES
CLANG_WARN_CONSTANT_CONVERSION = YES
CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR
CLANG_WARN_EMPTY_BODY = YES
CLANG_WARN_ENUM_CONVERSION = YES
CLANG_WARN_INFINITE_RECURSION = YES
CLANG_WARN_INT_CONVERSION = YES
CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES
CLANG_WARN_OBJC_LITERAL_CONVERSION = YES
CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR
CLANG_WARN_RANGE_LOOP_ANALYSIS = YES
CLANG_WARN_STRICT_PROTOTYPES = YES
CLANG_WARN_SUSPICIOUS_MOVE = YES
CLANG_WARN_UNREACHABLE_CODE = YES
CLANG_WARN__DUPLICATE_METHOD_MATCH = YES
CLASS_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/JavaClasses
CLEAN_PRECOMPS = YES
CLONE_HEADERS = NO
CODESIGNING_FOLDER_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos/Runner.app
CODE_SIGNING_ALLOWED = YES
CODE_SIGNING_REQUIRED = YES
CODE_SIGN_CONTEXT_CLASS = XCiPhoneOSCodeSignContext
CODE_SIGN_IDENTITY = iPhone Developer
CODE_SIGN_INJECT_BASE_ENTITLEMENTS = YES
COLOR_DIAGNOSTICS = NO
COMBINE_HIDPI_IMAGES = NO
COMPILER_INDEX_STORE_ENABLE = Default
COMPOSITE_SDK_DIRS = /Users/cristi/Work/delete_me/hello_world/build/ios/CompositeSDKs
COMPRESS_PNG_FILES = YES
CONFIGURATION = Release
CONFIGURATION_BUILD_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
CONFIGURATION_TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos
CONTENTS_FOLDER_PATH = Runner.app
COPYING_PRESERVES_HFS_DATA = NO
COPY_HEADERS_RUN_UNIFDEF = NO
COPY_PHASE_STRIP = NO
COPY_RESOURCES_FROM_STATIC_FRAMEWORKS = YES
CORRESPONDING_SIMULATOR_PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform
CORRESPONDING_SIMULATOR_PLATFORM_NAME = iphonesimulator
CORRESPONDING_SIMULATOR_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.3.sdk
CORRESPONDING_SIMULATOR_SDK_NAME = iphonesimulator11.3
CP = /bin/cp
CREATE_INFOPLIST_SECTION_IN_BINARY = NO
CURRENT_ARCH = arm64
CURRENT_PROJECT_VERSION = 1
CURRENT_VARIANT = normal
DEAD_CODE_STRIPPING = YES
DEBUGGING_SYMBOLS = YES
DEBUG_INFORMATION_FORMAT = dwarf-with-dsym
DEFAULT_COMPILER = com.apple.compilers.llvm.clang.1_0
DEFAULT_KEXT_INSTALL_PATH = /System/Library/Extensions
DEFINES_MODULE = NO
DEPLOYMENT_LOCATION = NO
DEPLOYMENT_POSTPROCESSING = NO
DEPLOYMENT_TARGET_CLANG_ENV_NAME = IPHONEOS_DEPLOYMENT_TARGET
DEPLOYMENT_TARGET_CLANG_FLAG_NAME = miphoneos-version-min
DEPLOYMENT_TARGET_CLANG_FLAG_PREFIX = -miphoneos-version-min=
DEPLOYMENT_TARGET_SETTING_NAME = IPHONEOS_DEPLOYMENT_TARGET
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
DERIVED_FILES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DERIVED_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DERIVED_SOURCES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
DEVELOPER_FRAMEWORKS_DIR = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_FRAMEWORKS_DIR_QUOTED = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/Developer/Library
DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs
DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Tools
DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
DEVELOPMENT_LANGUAGE = English
DOCUMENTATION_FOLDER_PATH = Runner.app/English.lproj/Documentation
DO_HEADER_SCANNING_IN_JAM = NO
DSTROOT = /tmp/Runner.dst
DT_TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
DWARF_DSYM_FILE_NAME = Runner.app.dSYM
DWARF_DSYM_FILE_SHOULD_ACCOMPANY_PRODUCT = NO
DWARF_DSYM_FOLDER_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
EFFECTIVE_PLATFORM_NAME = -iphoneos
EMBEDDED_CONTENT_CONTAINS_SWIFT = NO
EMBEDDED_PROFILE_NAME = embedded.mobileprovision
EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE = NO
ENABLE_BITCODE = NO
ENABLE_DEFAULT_HEADER_SEARCH_PATHS = YES
ENABLE_HEADER_DEPENDENCIES = YES
ENABLE_NS_ASSERTIONS = NO
ENABLE_ON_DEMAND_RESOURCES = YES
ENABLE_STRICT_OBJC_MSGSEND = YES
ENABLE_TESTABILITY = NO
ENTITLEMENTS_ALLOWED = YES
ENTITLEMENTS_REQUIRED = YES
EXCLUDED_INSTALLSRC_SUBDIRECTORY_PATTERNS = .DS_Store .svn .git .hg CVS
EXCLUDED_RECURSIVE_SEARCH_PATH_SUBDIRECTORIES = *.nib *.lproj *.framework *.gch *.xcode* *.xcassets (*) .DS_Store CVS .svn .git .hg *.pbproj *.pbxproj
EXECUTABLES_FOLDER_PATH = Runner.app/Executables
EXECUTABLE_FOLDER_PATH = Runner.app
EXECUTABLE_NAME = Runner
EXECUTABLE_PATH = Runner.app/Runner
EXPANDED_CODE_SIGN_IDENTITY =
EXPANDED_CODE_SIGN_IDENTITY_NAME =
EXPANDED_PROVISIONING_PROFILE =
FILE_LIST = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects/LinkFileList
FIXED_FILES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/FixedFiles
FLUTTER_APPLICATION_PATH = /Users/cristi/Work/delete_me/hello_world
FLUTTER_BUILD_DIR = build
FLUTTER_BUILD_MODE = debug
FLUTTER_FRAMEWORK_DIR = /Users/cristi/Libs/flutter/bin/cache/artifacts/engine/ios
FLUTTER_ROOT = /Users/cristi/Libs/flutter
FLUTTER_TARGET = lib/main.dart
FRAMEWORKS_FOLDER_PATH = Runner.app/Frameworks
FRAMEWORK_FLAG_PREFIX = -framework
FRAMEWORK_SEARCH_PATHS = /Users/cristi/Work/delete_me/hello_world/ios/Flutter
FRAMEWORK_VERSION = A
FULL_PRODUCT_NAME = Runner.app
GCC3_VERSION = 3.3
GCC_C_LANGUAGE_STANDARD = gnu99
GCC_INLINES_ARE_PRIVATE_EXTERN = YES
GCC_NO_COMMON_BLOCKS = YES
GCC_PFE_FILE_C_DIALECTS = c objective-c c++ objective-c++
GCC_SYMBOLS_PRIVATE_EXTERN = YES
GCC_THUMB_SUPPORT = YES
GCC_TREAT_WARNINGS_AS_ERRORS = NO
GCC_VERSION = com.apple.compilers.llvm.clang.1_0
GCC_VERSION_IDENTIFIER = com_apple_compilers_llvm_clang_1_0
GCC_WARN_64_TO_32_BIT_CONVERSION = YES
GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR
GCC_WARN_UNDECLARED_SELECTOR = YES
GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE
GCC_WARN_UNUSED_FUNCTION = YES
GCC_WARN_UNUSED_VARIABLE = YES
GENERATE_MASTER_OBJECT_FILE = NO
GENERATE_PKGINFO_FILE = YES
GENERATE_PROFILING_CODE = NO
GENERATE_TEXT_BASED_STUBS = NO
GID = 20
GROUP = staff
HEADERMAP_INCLUDES_FLAT_ENTRIES_FOR_TARGET_BEING_BUILT = YES
HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_ALL_PRODUCT_TYPES = YES
HEADERMAP_INCLUDES_NONPUBLIC_NONPRIVATE_HEADERS = YES
HEADERMAP_INCLUDES_PROJECT_HEADERS = YES
HEADERMAP_USES_FRAMEWORK_PREFIX_ENTRIES = YES
HEADERMAP_USES_VFS = NO
HIDE_BITCODE_SYMBOLS = YES
HOME = /Users/cristi
ICONV = /usr/bin/iconv
INFOPLIST_EXPAND_BUILD_SETTINGS = YES
INFOPLIST_FILE = Runner/Info.plist
INFOPLIST_OUTPUT_FORMAT = binary
INFOPLIST_PATH = Runner.app/Info.plist
INFOPLIST_PREPROCESS = NO
INFOSTRINGS_PATH = Runner.app/English.lproj/InfoPlist.strings
INLINE_PRIVATE_FRAMEWORKS = NO
INSTALLHDRS_COPY_PHASE = NO
INSTALLHDRS_SCRIPT_PHASE = NO
INSTALL_DIR = /tmp/Runner.dst/Applications
INSTALL_GROUP = staff
INSTALL_MODE_FLAG = u+w,go-w,a+rX
INSTALL_OWNER = cristi
INSTALL_PATH = /Applications
INSTALL_ROOT = /tmp/Runner.dst
IPHONEOS_DEPLOYMENT_TARGET = 8.0
JAVAC_DEFAULT_FLAGS = -J-Xms64m -J-XX:NewSize=4M -J-Dfile.encoding=UTF8
JAVA_APP_STUB = /System/Library/Frameworks/JavaVM.framework/Resources/MacOS/JavaApplicationStub
JAVA_ARCHIVE_CLASSES = YES
JAVA_ARCHIVE_TYPE = JAR
JAVA_COMPILER = /usr/bin/javac
JAVA_FOLDER_PATH = Runner.app/Java
JAVA_FRAMEWORK_RESOURCES_DIRS = Resources
JAVA_JAR_FLAGS = cv
JAVA_SOURCE_SUBDIR = .
JAVA_USE_DEPENDENCIES = YES
JAVA_ZIP_FLAGS = -urg
JIKES_DEFAULT_FLAGS = +E +OLDCSO
KASAN_DEFAULT_CFLAGS = -DKASAN=1 -fsanitize=address -mllvm -asan-globals-live-support -mllvm -asan-force-dynamic-shadow
KEEP_PRIVATE_EXTERNS = NO
LD_DEPENDENCY_INFO_FILE = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects-normal/arm64/Runner_dependency_info.dat
LD_GENERATE_MAP_FILE = NO
LD_MAP_FILE_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Runner-LinkMap-normal-arm64.txt
LD_NO_PIE = NO
LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER = YES
LD_RUNPATH_SEARCH_PATHS = @executable_path/Frameworks
LEGACY_DEVELOPER_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer
LEX = lex
LIBRARY_FLAG_NOSPACE = YES
LIBRARY_FLAG_PREFIX = -l
LIBRARY_KEXT_INSTALL_PATH = /Library/Extensions
LIBRARY_SEARCH_PATHS = /Users/cristi/Work/delete_me/hello_world/ios/Flutter
LINKER_DISPLAYS_MANGLED_NAMES = NO
LINK_FILE_LIST_normal_arm64 =
LINK_WITH_STANDARD_LIBRARIES = YES
LOCALIZABLE_CONTENT_DIR =
LOCALIZED_RESOURCES_FOLDER_PATH = Runner.app/English.lproj
LOCALIZED_STRING_MACRO_NAMES = NSLocalizedString CFLocalizedString
LOCAL_ADMIN_APPS_DIR = /Applications/Utilities
LOCAL_APPS_DIR = /Applications
LOCAL_DEVELOPER_DIR = /Library/Developer
LOCAL_LIBRARY_DIR = /Library
LOCROOT =
LOCSYMROOT =
MACH_O_TYPE = mh_execute
MAC_OS_X_PRODUCT_BUILD_VERSION = 17E199
MAC_OS_X_VERSION_ACTUAL = 101304
MAC_OS_X_VERSION_MAJOR = 101300
MAC_OS_X_VERSION_MINOR = 1304
METAL_LIBRARY_FILE_BASE = default
METAL_LIBRARY_OUTPUT_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos/Runner.app
MODULE_CACHE_DIR = /Users/cristi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex
MTL_ENABLE_DEBUG_INFO = NO
NATIVE_ARCH = armv7
NATIVE_ARCH_32_BIT = i386
NATIVE_ARCH_64_BIT = x86_64
NATIVE_ARCH_ACTUAL = x86_64
NO_COMMON = YES
OBJECT_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects
OBJECT_FILE_DIR_normal = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects-normal
OBJROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
ONLY_ACTIVE_ARCH = NO
OS = MACOS
OSAC = /usr/bin/osacompile
PACKAGE_TYPE = com.apple.package-type.wrapper.application
PASCAL_STRINGS = YES
PATH = /Applications/Xcode.app/Contents/Developer/usr/bin:/Library/Frameworks/Python.framework/Versions/3.6/bin:/Users/cristi/Libs/flutter/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/opt/X11/bin:/Applications/Wireshark.app/Contents/MacOS
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/Developer/SDKs /Applications/Xcode.app/Contents/Developer/Platforms
PBDEVELOPMENTPLIST_PATH = Runner.app/pbdevelopment.plist
PFE_FILE_C_DIALECTS = objective-c
PKGINFO_FILE_PATH = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/PkgInfo
PKGINFO_PATH = Runner.app/PkgInfo
PLATFORM_DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Applications
PLATFORM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin
PLATFORM_DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer/Library
PLATFORM_DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs
PLATFORM_DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Tools
PLATFORM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr
PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform
PLATFORM_DISPLAY_NAME = iOS
PLATFORM_NAME = iphoneos
PLATFORM_PREFERRED_ARCH = arm64
PLATFORM_PRODUCT_BUILD_VERSION = 15E217
PLIST_FILE_OUTPUT_FORMAT = binary
PLUGINS_FOLDER_PATH = Runner.app/PlugIns
PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR = YES
PRECOMP_DESTINATION_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/PrefixHeaders
PRESERVE_DEAD_CODE_INITS_AND_TERMS = NO
PREVIEW_DART_2 = true
PRIVATE_HEADERS_FOLDER_PATH = Runner.app/PrivateHeaders
PRODUCT_BUNDLE_IDENTIFIER = com.example.helloWorld
PRODUCT_MODULE_NAME = Runner
PRODUCT_NAME = Runner
PRODUCT_SETTINGS_PATH = /Users/cristi/Work/delete_me/hello_world/ios/Runner/Info.plist
PRODUCT_TYPE = com.apple.product-type.application
PROFILING_CODE = NO
PROJECT = Runner
PROJECT_DERIVED_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/DerivedSources
PROJECT_DIR = /Users/cristi/Work/delete_me/hello_world/ios
PROJECT_FILE_PATH = /Users/cristi/Work/delete_me/hello_world/ios/Runner.xcodeproj
PROJECT_NAME = Runner
PROJECT_TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build
PROJECT_TEMP_ROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
PROVISIONING_PROFILE_REQUIRED = YES
PUBLIC_HEADERS_FOLDER_PATH = Runner.app/Headers
RECURSIVE_SEARCH_PATHS_FOLLOW_SYMLINKS = YES
REMOVE_CVS_FROM_RESOURCES = YES
REMOVE_GIT_FROM_RESOURCES = YES
REMOVE_HEADERS_FROM_EMBEDDED_BUNDLES = YES
REMOVE_HG_FROM_RESOURCES = YES
REMOVE_SVN_FROM_RESOURCES = YES
RESOURCE_RULES_REQUIRED = YES
REZ_COLLECTOR_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/ResourceManagerResources
REZ_OBJECTS_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build/ResourceManagerResources/Objects
SCAN_ALL_SOURCE_FILES_FOR_INCLUDES = NO
SCRIPTS_FOLDER_PATH = Runner.app/Scripts
SDKROOT = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk
SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk
SDK_DIR_iphoneos11_3 = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.3.sdk
SDK_NAME = iphoneos11.3
SDK_NAMES = iphoneos11.3
SDK_PRODUCT_BUILD_VERSION = 15E217
SDK_VERSION = 11.3
SDK_VERSION_ACTUAL = 110300
SDK_VERSION_MAJOR = 110000
SDK_VERSION_MINOR = 300
SED = /usr/bin/sed
SEPARATE_STRIP = NO
SEPARATE_SYMBOL_EDIT = NO
SET_DIR_MODE_OWNER_GROUP = YES
SET_FILE_MODE_OWNER_GROUP = NO
SHALLOW_BUNDLE = YES
SHARED_DERIVED_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos/DerivedSources
SHARED_FRAMEWORKS_FOLDER_PATH = Runner.app/SharedFrameworks
SHARED_PRECOMPS_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/SharedPrecompiledHeaders
SHARED_SUPPORT_FOLDER_PATH = Runner.app/SharedSupport
SKIP_INSTALL = NO
SOURCE_ROOT = /Users/cristi/Work/delete_me/hello_world/ios
SRCROOT = /Users/cristi/Work/delete_me/hello_world/ios
STRINGS_FILE_OUTPUT_ENCODING = binary
STRIP_BITCODE_FROM_COPIED_FILES = YES
STRIP_INSTALLED_PRODUCT = YES
STRIP_STYLE = all
STRIP_SWIFT_SYMBOLS = YES
SUPPORTED_DEVICE_FAMILIES = 1,2
SUPPORTED_PLATFORMS = iphonesimulator iphoneos
SUPPORTS_TEXT_BASED_API = NO
SWIFT_PLATFORM_TARGET_PREFIX = ios
SYMROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
SYSTEM_ADMIN_APPS_DIR = /Applications/Utilities
SYSTEM_APPS_DIR = /Applications
SYSTEM_CORE_SERVICES_DIR = /System/Library/CoreServices
SYSTEM_DEMOS_DIR = /Applications/Extras
SYSTEM_DEVELOPER_APPS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
SYSTEM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
SYSTEM_DEVELOPER_DEMOS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built Examples
SYSTEM_DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
SYSTEM_DEVELOPER_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library
SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Graphics Tools
SYSTEM_DEVELOPER_JAVA_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Java Tools
SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Performance Tools
SYSTEM_DEVELOPER_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes
SYSTEM_DEVELOPER_TOOLS = /Applications/Xcode.app/Contents/Developer/Tools
SYSTEM_DEVELOPER_TOOLS_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools
SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools
SYSTEM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
SYSTEM_DEVELOPER_UTILITIES_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities
SYSTEM_DOCUMENTATION_DIR = /Library/Documentation
SYSTEM_KEXT_INSTALL_PATH = /System/Library/Extensions
SYSTEM_LIBRARY_DIR = /System/Library
TAPI_VERIFY_MODE = ErrorsOnly
TARGETED_DEVICE_FAMILY = 1,2
TARGETNAME = Runner
TARGET_BUILD_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Release-iphoneos
TARGET_NAME = Runner
TARGET_TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_FILES_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_FILE_DIR = /Users/cristi/Work/delete_me/hello_world/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_ROOT = /Users/cristi/Work/delete_me/hello_world/build/ios
TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
TREAT_MISSING_BASELINES_AS_TEST_FAILURES = NO
UID = 501
UNLOCALIZED_RESOURCES_FOLDER_PATH = Runner.app
UNSTRIPPED_PRODUCT = NO
USER = cristi
USER_APPS_DIR = /Users/cristi/Applications
USER_LIBRARY_DIR = /Users/cristi/Library
USE_DYNAMIC_NO_PIC = YES
USE_HEADERMAP = YES
USE_HEADER_SYMLINKS = NO
VALIDATE_PRODUCT = YES
VALID_ARCHS = arm64 armv7 armv7s
VERBOSE_PBXCP = NO
VERSIONING_SYSTEM = apple-generic
VERSIONPLIST_PATH = Runner.app/version.plist
VERSION_INFO_BUILDER = cristi
VERSION_INFO_FILE = Runner_vers.c
VERSION_INFO_STRING = "@(#)PROGRAM:Runner PROJECT:Runner-1"
WRAPPER_EXTENSION = app
WRAPPER_NAME = Runner.app
WRAPPER_SUFFIX = .app
WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES = NO
XCODE_APP_SUPPORT_DIR = /Applications/Xcode.app/Contents/Developer/Library/Xcode
XCODE_PRODUCT_BUILD_VERSION = 9E145
XCODE_VERSION_ACTUAL = 0930
XCODE_VERSION_MAJOR = 0900
XCODE_VERSION_MINOR = 0930
XPCSERVICES_FOLDER_PATH = Runner.app/XPCServices
YACC = yacc
arch = arm64
variant = normal
[ +3 ms] Building Runner.app for B522EC62-9D3C-4576-A133-156A3D99822A.
[ +1 ms] /Users/cristi/Libs/flutter/bin/cache/dart-sdk/bin/dart /Users/cristi/Libs/flutter/bin/cache/artifacts/engine/darwin-x64/frontend_server.dart.snapshot --sdk-root /Users/cristi/Libs/flutter/bin/cache/artifacts/engine/common/flutter_patched_sdk/ --strong --target=flutter --no-link-platform --incremental --packages /Users/cristi/Work/delete_me/hello_world/.packages --output-dill build/app.dill --depfile build/snapshot_blob.bin.d /Users/cristi/Work/delete_me/hello_world/lib/main.dart
[ ] script /dev/null /usr/bin/log stream --style syslog --predicate processImagePath CONTAINS "B522EC62-9D3C-4576-A133-156A3D99822A"
[ +19 ms] [DEVICE LOG] Filtering the log data using "processImagePath CONTAINS "B522EC62-9D3C-4576-A133-156A3D99822A""
[ ] [DEVICE LOG] Timestamp (process)[PID]
[+1219 ms] Building build/app.flx
[ ] which zip
[ +11 ms] Encoding zip file to build/app.flx
[ +49 ms] [build/flutter_assets/] zip -q /Users/cristi/Work/delete_me/hello_world/build/app.flx.tmp packages/cupertino_icons/assets/CupertinoIcons.ttf fonts/MaterialIcons-Regular.ttf AssetManifest.json FontManifest.json LICENSE kernel_blob.bin platform.dill
[ +994 ms] Built build/app.flx.
[ ] /usr/bin/xcrun simctl get_app_container B522EC62-9D3C-4576-A133-156A3D99822A com.example.helloWorld
[ ] /usr/bin/killall Runner
[ +123 ms] /usr/bin/xcrun simctl launch B522EC62-9D3C-4576-A133-156A3D99822A com.example.helloWorld --enable-dart-profiling --flutter-assets-dir=/Users/cristi/Work/delete_me/hello_world/build/flutter_assets --dart-main=/Users/cristi/Work/delete_me/hello_world/lib/main.dart.dill --packages=/Users/cristi/Work/delete_me/hello_world/.packages --enable-checked-mode --observatory-port=8100
[ +159 ms] com.example.helloWorld: 14296
[ ] Waiting for observatory port to be available...
[ +388 ms] [DEVICE LOG] 2018-04-26 10:43:10.405199-0700 localhost Runner[14296]: (Runner) Created Activity ID: 0x2c730, Description: Loading Preferences From System CFPrefsD For Search List
[ ] [DEVICE LOG] 2018-04-26 10:43:10.405199-0700 localhost Runner[14296]: (Runner) Created Activity ID: 0x2c731, Description: Loading Preferences From System CFPrefsD For Search List
[ +18 ms] [DEVICE LOG] 2018-04-26 10:43:10.424814-0700 localhost Runner[14296]: (libAccessibility.dylib) [com.apple.Accessibility:AccessibilitySupport] Retrieving resting unlock: 0
[ ] [DEVICE LOG] 2018-04-26 10:43:10.425012-0700 localhost Runner[14296]: (Runner) Created Activity ID: 0x2c732, Description: Loading Preferences From System CFPrefsD For Search List
[ +118 ms] [DEVICE LOG] 2018-04-26 10:43:10.543122-0700 localhost Runner[14296]: (UIKit) You've implemented -[<UIApplicationDelegate> application:didReceiveRemoteNotification:fetchCompletionHandler:], but you still need to add "remote-notification" to the list of your supported UIBackgroundModes in your Info.plist.
[ +149 ms] [DEVICE LOG] 2018-04-26 10:43:10.694173-0700 localhost Runner[14296]: (Flutter) Observatory listening on http://127.0.0.1:8100/
[ ] Observatory URL on device: http://127.0.0.1:8100/
[ +3 ms] Connecting to service protocol: http://127.0.0.1:8100/
[ +135 ms] Successfully connected to service protocol: http://127.0.0.1:8100/
[ +3 ms] getVM: {}
[ +8 ms] getIsolate: {isolateId: isolates/597477130}
[ +1 ms] _flutter.listViews: {}
[ +3 ms] Connecting to service protocol: http://127.0.0.1:8100/
[ +24 ms] Successfully connected to service protocol: http://127.0.0.1:8100/
[ ] getVM: {}
[ +2 ms] getIsolate: {isolateId: isolates/597477130}
[ ] _flutter.listViews: {}
[ +11 ms] DevFS: Creating new filesystem on the device (null)
[ ] _createDevFS: {fsName: hello_world}
[ +15 ms] DevFS: Created new filesystem on the device (file:///Users/cristi/Library/Developer/CoreSimulator/Devices/B522EC62-9D3C-4576-A133-156A3D99822A/data/Containers/Data/Application/B40F42DB-1887-42AE-B43F-AD7C4F1E8A94/tmp/hello_worldZWNdet/hello_world/)
[ ] DevFS: Creating new filesystem on the device (null)
[ ] _createDevFS: {fsName: hello_world}
[ +5 ms] Error 1001 received from application: File system already exists
[ ] {details: _createDevFS: file system 'hello_world' already exists}
[ +3 ms] Error initializing DevFS: NoSuchMethodError: The method '[]' was called on null.
Receiver: null
Tried calling: []("uri")
[ +13 ms] "flutter run" took 9,850ms.
#0 throwToolExit (package:flutter_tools/src/base/common.dart:28)
#1 RunCommand.runCommand (package:flutter_tools/src/commands/run.dart:407)
<asynchronous suspension>
#2 FlutterCommand.verifyThenRunCommand (package:flutter_tools/src/runner/flutter_command.dart:333)
<asynchronous suspension>
#3 FlutterCommand.run.<anonymous closure> (package:flutter_tools/src/runner/flutter_command.dart:270)
<asynchronous suspension>
#4 AppContext.run.<anonymous closure> (package:flutter_tools/src/base/context.dart:142)
<asynchronous suspension>
#5 _rootRun (dart:async/zone.dart:1126)
#6 _CustomZone.run (dart:async/zone.dart:1023)
#7 runZoned (dart:async/zone.dart:1501)
#8 AppContext.run (package:flutter_tools/src/base/context.dart:141)
<asynchronous suspension>
#9 FlutterCommand.run (package:flutter_tools/src/runner/flutter_command.dart:261)
#10 CommandRunner.runCommand (package:args/command_runner.dart:194)
<asynchronous suspension>
#11 FlutterCommandRunner.runCommand.<anonymous closure> (package:flutter_tools/src/runner/flutter_command_runner.dart:298)
<asynchronous suspension>
#12 AppContext.run.<anonymous closure> (package:flutter_tools/src/base/context.dart:142)
<asynchronous suspension>
#13 _rootRun (dart:async/zone.dart:1126)
#14 _CustomZone.run (dart:async/zone.dart:1023)
#15 runZoned (dart:async/zone.dart:1501)
#16 AppContext.run (package:flutter_tools/src/base/context.dart:141)
<asynchronous suspension>
#17 FlutterCommandRunner.runCommand (package:flutter_tools/src/runner/flutter_command_runner.dart:254)
<asynchronous suspension>
#18 CommandRunner.run.<anonymous closure> (package:args/command_runner.dart:109)
#19 new Future.sync (dart:async/future.dart:222)
#20 CommandRunner.run (package:args/command_runner.dart:109)
#21 FlutterCommandRunner.run (package:flutter_tools/src/runner/flutter_command_runner.dart:168)
#22 run.<anonymous closure> (package:flutter_tools/runner.dart:54)
<asynchronous suspension>
#23 AppContext.run.<anonymous closure> (package:flutter_tools/src/base/context.dart:142)
<asynchronous suspension>
#24 _rootRun (dart:async/zone.dart:1126)
#25 _CustomZone.run (dart:async/zone.dart:1023)
#26 runZoned (dart:async/zone.dart:1501)
#27 AppContext.run (package:flutter_tools/src/base/context.dart:141)
<asynchronous suspension>
#28 runInContext (package:flutter_tools/src/context_runner.dart:41)
<asynchronous suspension>
#29 run (package:flutter_tools/runner.dart:49)
#30 main (package:flutter_tools/executable.dart:48)
<asynchronous suspension>
#31 main (file:///Users/cristi/Libs/flutter/packages/flutter_tools/bin/flutter_tools.dart:16)
#32 _startIsolate.<anonymous closure> (dart:isolate-patch/dart:isolate/isolate_patch.dart:277)
#33 _RawReceivePortImpl._handleMessage (dart:isolate-patch/dart:isolate/isolate_patch.dart:165)
</code></pre></div> | <h2 dir="auto">Steps to Reproduce</h2>
<ol dir="auto">
<li>Add Firebase ML Kit in pubspec.</li>
<li>Run <code class="notranslate">flutter build ios --release</code></li>
</ol>
<h2 dir="auto">Logs</h2>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -include /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Target\ Support\ Files/firebase_ml_vision/firebase_ml_vision-prefix.pch -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/LabelDetector.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/LabelDetector.dia -c /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/LabelDetector.m -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/LabelDetector.o
In file included from /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/LabelDetector.m:1:
In file included from /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/FirebaseMlVisionPlugin.h:1:
In file included from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter/Flutter/Flutter.h:37:
In file included from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter/Flutter/FlutterAppDelegate.h:11:
/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter/Flutter/FlutterPlugin.h:140:58: warning: this block declaration is not a prototype [-Wstrict-prototypes]
completionHandler:(nonnull void (^)())completionHandler;
^
void
1 warning generated.
CompileC /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/TextDetector.o /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/TextDetector.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu11 -fobjc-arc -fobjc-weak -fmodules -fmodules-cache-path=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wdocumentation -Wunreachable-code -Wno-implicit-atomic-properties -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-arc-repeated-use-of-weak -Wimplicit-retain-self -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wdeprecated-implementations -DPOD_CONFIGURATION_DEBUG=1 -DDEBUG=1 -DCOCOAPODS=1 -DOBJC_OLD_DISPATCH_PROTOTYPES=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -Wunguarded-availability -fobjc-abi-version=2 -fobjc-legacy-dispatch -index-store-path /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Index/DataStore -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/firebase_ml_vision-generated-files.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/firebase_ml_vision-own-target-headers.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/firebase_ml_vision-all-target-headers.hmap -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/firebase_ml_vision-project-headers.hmap -I/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/firebase_ml_vision/include -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Private -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Private/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/DerivedSources/x86_64 -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/DerivedSources -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/firebase_ml_vision -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -include /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Target\ Support\ Files/firebase_ml_vision/firebase_ml_vision-prefix.pch -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/TextDetector.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/TextDetector.dia -c /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/TextDetector.m -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/TextDetector.o
In file included from /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/TextDetector.m:1:
In file included from /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/FirebaseMlVisionPlugin.h:1:
In file included from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter/Flutter/Flutter.h:37:
In file included from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter/Flutter/FlutterAppDelegate.h:11:
/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter/Flutter/FlutterPlugin.h:140:58: warning: this block declaration is not a prototype [-Wstrict-prototypes]
completionHandler:(nonnull void (^)())completionHandler;
^
void
1 warning generated.
Libtool /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/firebase_ml_vision/libfirebase_ml_vision.a normal x86_64
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods
export IPHONEOS_DEPLOYMENT_TARGET=8.0
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/libtool -static -arch_only x86_64 -syslibroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/firebase_ml_vision -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/FirebaseCore -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/GTMSessionFetcher -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/GoogleAPIClientForREST -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/GoogleToolboxForMac -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Protobuf -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/nanopb -filelist /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/firebase_ml_vision.LinkFileList -o /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/firebase_ml_vision/libfirebase_ml_vision.a
=== BUILD TARGET Pods-Runner OF PROJECT Pods WITH CONFIGURATION Debug ===
Check dependencies
Write auxiliary files
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-project-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-generated-files.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-own-target-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-all-non-framework-target-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-all-target-headers.hmap
/bin/mkdir -p /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64/Pods-Runner.LinkFileList
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner.hmap
CompileC /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64/Pods-Runner-dummy.o Target\ Support\ Files/Pods-Runner/Pods-Runner-dummy.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu11 -fobjc-arc -fobjc-weak -fmodules -fmodules-cache-path=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wdocumentation -Wunreachable-code -Wno-implicit-atomic-properties -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-arc-repeated-use-of-weak -Wimplicit-retain-self -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wdeprecated-implementations -DPOD_CONFIGURATION_DEBUG=1 -DDEBUG=1 -DCOCOAPODS=1 -DPOD_CONFIGURATION_DEBUG=1 -DDEBUG=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPOD_CONFIGURATION_DEBUG=1 -DDEBUG=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DOBJC_OLD_DISPATCH_PROTOTYPES=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -Wunguarded-availability -fobjc-abi-version=2 -fobjc-legacy-dispatch -index-store-path /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Index/DataStore -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-generated-files.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-own-target-headers.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-all-target-headers.hmap -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-project-headers.hmap -I/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/include -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Firebase/CoreOnly/Sources -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/DerivedSources/x86_64 -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/DerivedSources -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64/Pods-Runner-dummy.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64/Pods-Runner-dummy.dia -c /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Target\ Support\ Files/Pods-Runner/Pods-Runner-dummy.m -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64/Pods-Runner-dummy.o
Libtool /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/libPods-Runner.a normal x86_64
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods
export IPHONEOS_DEPLOYMENT_TARGET=8.0
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/libtool -static -arch_only x86_64 -syslibroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/FirebaseCore -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/GTMSessionFetcher -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/GoogleAPIClientForREST -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/GoogleToolboxForMac -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Protobuf -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/firebase_ml_vision -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/flutter_native_image -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/image_picker -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/nanopb -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/path_provider -filelist /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64/Pods-Runner.LinkFileList -o /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/libPods-Runner.a
=== BUILD TARGET Runner OF PROJECT Runner WITH CONFIGURATION Debug ===
Check dependencies
Write auxiliary files
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-3B06AD1E1E4923F5004D2608.sh
chmod 0755 /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-3B06AD1E1E4923F5004D2608.sh
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh
chmod 0755 /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-6DF974FCDC1745740FC629DD.sh
chmod 0755 /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-6DF974FCDC1745740FC629DD.sh
/bin/mkdir -p /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.LinkFileList
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-target-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-7E6B10CC3CB12F7E5BF6A529.sh
chmod 0755 /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-7E6B10CC3CB12F7E5BF6A529.sh
/bin/mkdir -p /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/Runner_vers.c
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-non-framework-target-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-C6744CBAA996D108E7DCFD47.sh
chmod 0755 /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-C6744CBAA996D108E7DCFD47.sh
Create product structure
/bin/mkdir -p /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Runner.app
ProcessProductPackaging "" /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner.app-Simulated.xcent
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
Entitlements:
{
"application-identifier" = "WJVKE56X3T.com.tedconsulting.cameraMl";
"keychain-access-groups" = (
"WJVKE56X3T.com.tedconsulting.cameraMl"
);
}
builtin-productPackagingUtility -entitlements -format xml -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner.app-Simulated.xcent
PhaseScriptExecution [CP]\ Check\ Pods\ Manifest.lock /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-7E6B10CC3CB12F7E5BF6A529.sh
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
/bin/sh -c /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-7E6B10CC3CB12F7E5BF6A529.sh
PhaseScriptExecution Run\ Script /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
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=gurleensethi
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/gurleensethi/FlutterProjects/camera_ml/build/ios
export BUILD_ROOT=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Products
export BUILD_STYLE=
export BUILD_VARIANTS=normal
export BUILT_PRODUCTS_DIR=/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator
export CACHE_ROOT=/var/folders/2j/3l9c62fn79981z71rc6nx10h0000gn/C/com.apple.DeveloperTools/9.4.1-9F2000/Xcode
export CCHROOT=/var/folders/2j/3l9c62fn79981z71rc6nx10h0000gn/C/com.apple.DeveloperTools/9.4.1-9F2000/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/gurleensethi/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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/JavaClasses
export CLEAN_PRECOMPS=YES
export CLONE_HEADERS=NO
export CODESIGNING_FOLDER_PATH=/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Runner.app
export CODE_SIGNING_ALLOWED=YES
export CODE_SIGNING_REQUIRED=YES
export CODE_SIGN_CONTEXT_CLASS=XCiPhoneSimulatorCodeSignContext
export CODE_SIGN_IDENTITY=-
export CODE_SIGN_INJECT_BASE_ENTITLEMENTS=YES
export COLOR_DIAGNOSTICS=NO
export COMBINE_HIDPI_IMAGES=NO
export COMMAND_MODE=legacy
export COMPILER_INDEX_STORE_ENABLE=Default
export COMPOSITE_SDK_DIRS=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/CompositeSDKs
export COMPRESS_PNG_FILES=YES
export CONFIGURATION=Debug
export CONFIGURATION_BUILD_DIR=/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator
export CONFIGURATION_TEMP_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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.4.sdk
export CORRESPONDING_DEVICE_SDK_NAME=iphoneos11.4
export CP=/bin/cp
export CREATE_INFOPLIST_SECTION_IN_BINARY=NO
export CURRENT_ARCH=x86_64
export CURRENT_PROJECT_VERSION=1
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.1 11.2 11.3 11.4"
export DERIVED_FILES_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
export DERIVED_FILE_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
export DERIVED_SOURCES_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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=WJVKE56X3T
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_ACCOMPANY_PRODUCT=NO
export DWARF_DSYM_FOLDER_PATH=/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects/LinkFileList
export FIXED_FILES_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/FixedFiles
export FLUTTER_APPLICATION_PATH=/Users/gurleensethi/FlutterProjects/camera_ml
export FLUTTER_BUILD_DIR=build
export FLUTTER_BUILD_MODE=debug
export FLUTTER_FRAMEWORK_DIR=/Users/gurleensethi/Documents/Flutter/flutter/bin/cache/artifacts/engine/ios
export FLUTTER_ROOT=/Users/gurleensethi/Documents/Flutter/flutter
export FLUTTER_TARGET=/Users/gurleensethi/FlutterProjects/camera_ml/lib/main.dart
export FRAMEWORKS_FOLDER_PATH=Runner.app/Frameworks
export FRAMEWORK_FLAG_PREFIX=-framework
export FRAMEWORK_SEARCH_PATHS="/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks\" /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter"
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 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/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/include /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Firebase/CoreOnly/Sources \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider\""
export HIDE_BITCODE_SYMBOLS=YES
export HOME=/Users/gurleensethi
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=gurleensethi
export INSTALL_PATH=/Applications
export INSTALL_ROOT=/tmp/Runner.dst
export IPHONEOS_DEPLOYMENT_TARGET=8.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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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_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"
export 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/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator "
export LINKER_DISPLAYS_MANGLED_NAMES=NO
export LINK_FILE_LIST_normal_x86_64=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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=17G65
export MAC_OS_X_VERSION_ACTUAL=101306
export MAC_OS_X_VERSION_MAJOR=101300
export MAC_OS_X_VERSION_MINOR=1306
export METAL_LIBRARY_FILE_BASE=default
export METAL_LIBRARY_OUTPUT_DIR=/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Runner.app
export MODULE_CACHE_DIR=/Users/gurleensethi/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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects
export OBJECT_FILE_DIR_normal=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal
export OBJROOT=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex
export ONLY_ACTIVE_ARCH=YES
export OS=MACOS
export OSAC=/usr/bin/osacompile
export OTHER_CFLAGS=" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider\""
export OTHER_CPLUSPLUSFLAGS=" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider\""
export OTHER_LDFLAGS=" -ObjC -l\"FirebaseCore\" -l\"GTMSessionFetcher\" -l\"GoogleAPIClientForREST\" -l\"GoogleToolboxForMac\" -l\"Protobuf\" -l\"c++\" -l\"firebase_ml_vision\" -l\"flutter_native_image\" -l\"image_picker\" -l\"nanopb\" -l\"path_provider\" -l\"sqlite3\" -l\"z\" -framework \"AVFoundation\" -framework \"Accelerate\" -framework \"BarcodeDetector\" -framework \"CoreGraphics\" -framework \"CoreImage\" -framework \"CoreMedia\" -framework \"CoreVideo\" -framework \"FaceDetector\" -framework \"FirebaseAnalytics\" -framework \"FirebaseCoreDiagnostics\" -framework \"FirebaseInstanceID\" -framework \"FirebaseMLCommon\" -framework \"FirebaseMLVision\" -framework \"FirebaseMLVisionBarcodeModel\" -framework \"FirebaseMLVisionFaceModel\" -framework \"FirebaseMLVisionLabelModel\" -framework \"FirebaseMLVisionTextModel\" -framework \"FirebaseNanoPB\" -framework \"Flutter\" -framework \"Foundation\" -framework \"GoogleMobileVision\" -framework \"LabelDetector\" -framework \"LocalAuthentication\" -framework \"Security\" -framework \"StoreKit\" -framework \"SystemConfiguration\" -framework \"TextDetector\" -framework \"UIKit\""
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:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
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/Developer/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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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/gurleensethi/FlutterProjects/camera_ml/build/ios
export PODS_CONFIGURATION_BUILD_DIR=/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator
export PODS_PODFILE_DIR_PATH=/Users/gurleensethi/FlutterProjects/camera_ml/ios/.
export PODS_ROOT=/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods
export PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR=YES
export PRECOMP_DESTINATION_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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.tedconsulting.cameraMl
export PRODUCT_MODULE_NAME=Runner
export PRODUCT_NAME=Runner
export PRODUCT_SETTINGS_PATH=/Users/gurleensethi/FlutterProjects/camera_ml/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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/DerivedSources
export PROJECT_DIR=/Users/gurleensethi/FlutterProjects/camera_ml/ios
export PROJECT_FILE_PATH=/Users/gurleensethi/FlutterProjects/camera_ml/ios/Runner.xcodeproj
export PROJECT_NAME=Runner
export PROJECT_TEMP_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build
export PROJECT_TEMP_ROOT=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources
export REZ_OBJECTS_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources/Objects
export REZ_SEARCH_PATHS="/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/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 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/2j/3l9c62fn79981z71rc6nx10h0000gn/T/flutter_build_log_pipe5EpMAu/pipe_to_stdout
export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_DIR_iphonesimulator11_4=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_NAME=iphonesimulator11.4
export SDK_NAMES=iphonesimulator11.4
export SDK_PRODUCT_BUILD_VERSION=15F79
export SDK_VERSION=11.4
export SDK_VERSION_ACTUAL=110400
export SDK_VERSION_MAJOR=110000
export SDK_VERSION_MINOR=400
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/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/DerivedSources
export SHARED_FRAMEWORKS_FOLDER_PATH=Runner.app/SharedFrameworks
export SHARED_PRECOMPS_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/PrecompiledHeaders
export SHARED_SUPPORT_FOLDER_PATH=Runner.app/SharedSupport
export SKIP_INSTALL=NO
export SOURCE_ROOT=/Users/gurleensethi/FlutterProjects/camera_ml/ios
export SRCROOT=/Users/gurleensethi/FlutterProjects/camera_ml/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_PLATFORM_TARGET_PREFIX=ios
export SYMROOT=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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_DEVELOPER_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/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator
export TARGET_DEVICE_IDENTIFIER="dvtdevice-DVTiOSDeviceSimulatorPlaceholder-iphonesimulator:placeholder"
export TARGET_NAME=Runner
export TARGET_TEMP_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_FILES_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_FILE_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_ROOT=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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=gurleensethi
export USER_APPS_DIR=/Users/gurleensethi/Applications
export USER_LIBRARY_DIR=/Users/gurleensethi/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 VERBOSE_SCRIPT_LOGGING=YES
export VERSIONING_SYSTEM=apple-generic
export VERSIONPLIST_PATH=Runner.app/version.plist
export VERSION_INFO_BUILDER=gurleensethi
export VERSION_INFO_FILE=Runner_vers.c
export VERSION_INFO_STRING="\"@(#)PROGRAM:Runner PROJECT:Runner-1\""
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=9F2000
export XCODE_VERSION_ACTUAL=0941
export XCODE_VERSION_MAJOR=0900
export XCODE_VERSION_MINOR=0940
export XPCSERVICES_FOLDER_PATH=Runner.app/XPCServices
export YACC=yacc
export arch=x86_64
export variant=normal
/bin/sh -c /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh
♦ mkdir -p -- /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter
♦ rm -rf -- /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/Flutter.framework
♦ rm -rf -- /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/App.framework
♦ cp -r -- /Users/gurleensethi/Documents/Flutter/flutter/bin/cache/artifacts/engine/ios/Flutter.framework /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter
♦ find /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/Flutter.framework -type f -exec chmod a-w {} ;
♦ mkdir -p -- /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/App.framework
♦ eval
♦ cp -- /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/AppFrameworkInfo.plist /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/App.framework/Info.plist
♦ /Users/gurleensethi/Documents/Flutter/flutter/bin/flutter --suppress-analytics --verbose build bundle --target=/Users/gurleensethi/FlutterProjects/camera_ml/lib/main.dart --snapshot=build/snapshot_blob.bin --depfile=build/snapshot_blob.bin.d --asset-dir=/Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/flutter_assets --preview-dart-2
[ +7 ms] [/Users/gurleensethi/Documents/Flutter/flutter/] git rev-parse --abbrev-ref --symbolic @{u}
[ +39 ms] Exit code 0 from: git rev-parse --abbrev-ref --symbolic @{u}
[ ] origin/beta
[ ] [/Users/gurleensethi/Documents/Flutter/flutter/] git rev-parse --abbrev-ref HEAD
[ +7 ms] Exit code 0 from: git rev-parse --abbrev-ref HEAD
[ ] beta
[ ] [/Users/gurleensethi/Documents/Flutter/flutter/] git ls-remote --get-url origin
[ +8 ms] Exit code 0 from: git ls-remote --get-url origin
[ ] https://github.com/flutter/flutter.git
[ ] [/Users/gurleensethi/Documents/Flutter/flutter/] git log -n 1 --pretty=format:%H
[ +9 ms] Exit code 0 from: git log -n 1 --pretty=format:%H
[ ] c7ea3ca377e909469c68f2ab878a5bc53d3cf66b
[ ] [/Users/gurleensethi/Documents/Flutter/flutter/] git log -n 1 --pretty=format:%ar
[ +9 ms] Exit code 0 from: git log -n 1 --pretty=format:%ar
[ ] 3 months ago
[ ] [/Users/gurleensethi/Documents/Flutter/flutter/] git describe --match v*.*.* --first-parent --long --tags
[ +9 ms] Exit code 0 from: git describe --match v*.*.* --first-parent --long --tags
[ ] v0.5.1-0-gc7ea3ca37
[ +237 ms] Found plugin firebase_ml_vision at /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/
[ +26 ms] Found plugin flutter_native_image at /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/git/flutter_native_image-6f2753b7eb3fc99bdf765148e26d0556696a3a5e/
[ +23 ms] Found plugin image_picker at /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/image_picker-0.4.6/
[ +17 ms] Found plugin path_provider at /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/path_provider-0.4.1/
[ +474 ms] Skipping kernel compilation. Fingerprint match.
[ +254 ms] Building bundle
[ +1 ms] Writing asset files to /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/flutter_assets
[ +53 ms] Wrote /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/flutter_assets
[ +7 ms] "flutter bundle" took 951ms.
Project /Users/gurleensethi/FlutterProjects/camera_ml built and packaged successfully.
CompileC /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.o Runner/AppDelegate.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu99 -fobjc-arc -fmodules -gmodules -fmodules-cache-path=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wunreachable-code -Wno-implicit-atomic-properties -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-arc-repeated-use-of-weak -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wno-deprecated-implementations -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DCOCOAPODS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DOBJC_OLD_DISPATCH_PROTOTYPES=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -fobjc-abi-version=2 -fobjc-legacy-dispatch -index-store-path /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Index/DataStore -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-target-headers.hmap -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -I/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/include -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Firebase/CoreOnly/Sources -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.dia -c /Users/gurleensethi/FlutterProjects/camera_ml/ios/Runner/AppDelegate.m -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.o
While building module 'Flutter' imported from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Runner/AppDelegate.h:1:
In file included from <module-includes>:1:
In file included from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios/Flutter.framework/Headers/Flutter.h:37:
In file included from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios/Flutter.framework/Headers/FlutterAppDelegate.h:11:
/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios/Flutter.framework/Headers/FlutterPlugin.h:140:58: warning: this block declaration is not a prototype [-Wstrict-prototypes]
completionHandler:(nonnull void (^)())completionHandler;
^
void
1 warning generated.
1 warning generated.
CompileC /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/main.o Runner/main.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu99 -fobjc-arc -fmodules -gmodules -fmodules-cache-path=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wunreachable-code -Wno-implicit-atomic-properties -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-arc-repeated-use-of-weak -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wno-deprecated-implementations -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DCOCOAPODS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DOBJC_OLD_DISPATCH_PROTOTYPES=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -fobjc-abi-version=2 -fobjc-legacy-dispatch -index-store-path /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Index/DataStore -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-target-headers.hmap -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -I/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/include -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Firebase/CoreOnly/Sources -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/main.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/main.dia -c /Users/gurleensethi/FlutterProjects/camera_ml/ios/Runner/main.m -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/main.o
CompileC /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.o Runner/GeneratedPluginRegistrant.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu99 -fobjc-arc -fmodules -gmodules -fmodules-cache-path=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wunreachable-code -Wno-implicit-atomic-properties -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-arc-repeated-use-of-weak -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wno-deprecated-implementations -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DCOCOAPODS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DOBJC_OLD_DISPATCH_PROTOTYPES=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -fobjc-abi-version=2 -fobjc-legacy-dispatch -index-store-path /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Index/DataStore -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-target-headers.hmap -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -I/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/include -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Firebase/CoreOnly/Sources -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.dia -c /Users/gurleensethi/FlutterProjects/camera_ml/ios/Runner/GeneratedPluginRegistrant.m -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.o
CompileC /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_vers.o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/Runner_vers.c normal x86_64 c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu99 -fmodules -gmodules -fmodules-cache-path=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wunreachable-code -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DCOCOAPODS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -index-store-path /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Index/DataStore -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-target-headers.hmap -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -I/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/include -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Firebase/CoreOnly/Sources -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_vers.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_vers.dia -c /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/Runner_vers.c -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_vers.o
Ld /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Runner.app/Runner normal x86_64
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
export IPHONEOS_DEPLOYMENT_TARGET=8.0
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -arch x86_64 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter -filelist /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.LinkFileList -Xlinker -rpath -Xlinker @executable_path/Frameworks -Xlinker -rpath -Xlinker @loader_path/Frameworks -Xlinker -rpath -Xlinker @executable_path/Frameworks -Xlinker -rpath -Xlinker @loader_path/Frameworks -Xlinker -rpath -Xlinker @executable_path/Frameworks -mios-simulator-version-min=8.0 -dead_strip -Xlinker -object_path_lto -Xlinker /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_lto.o -Xlinker -export_dynamic -Xlinker -no_deduplicate -Xlinker -objc_abi_version -Xlinker 2 -fobjc-arc -fobjc-link-runtime -ObjC -lFirebaseCore -lGTMSessionFetcher -lGoogleAPIClientForREST -lGoogleToolboxForMac -lProtobuf -lc++ -lfirebase_ml_vision -lflutter_native_image -limage_picker -lnanopb -lpath_provider -lsqlite3 -lz -framework AVFoundation -framework Accelerate -framework BarcodeDetector -framework CoreGraphics -framework CoreImage -framework CoreMedia -framework CoreVideo -framework FaceDetector -framework FirebaseAnalytics -framework FirebaseCoreDiagnostics -framework FirebaseInstanceID -framework FirebaseMLCommon -framework FirebaseMLVision -framework FirebaseMLVisionBarcodeModel -framework FirebaseMLVisionFaceModel -framework FirebaseMLVisionLabelModel -framework FirebaseMLVisionTextModel -framework FirebaseNanoPB -framework Flutter -framework Foundation -framework GoogleMobileVision -framework LabelDetector -framework LocalAuthentication -framework Security -framework StoreKit -framework SystemConfiguration -framework TextDetector -framework UIKit -Xlinker -sectcreate -Xlinker __TEXT -Xlinker __entitlements -Xlinker /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner.app-Simulated.xcent -framework Flutter -framework App -lPods-Runner -Xlinker -dependency_info -Xlinker /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_dependency_info.dat -o /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Runner.app/Runner
ld: library not found for -lFirebaseCore
clang: error: linker command failed with exit code 1 (use -v to see invocation)
[ +153 ms] Could not build the application for the simulator.
[ +1 ms] Error launching application on iPhone 6.
[ +3 ms] "flutter run" took 29,211ms.
#0 throwToolExit (package:flutter_tools/src/base/common.dart:28)
#1 RunCommand.runCommand (package:flutter_tools/src/commands/run.dart:401)
<asynchronous suspension>
#2 FlutterCommand.verifyThenRunCommand (package:flutter_tools/src/runner/flutter_command.dart:344)
<asynchronous suspension>
#3 FlutterCommand.run.<anonymous closure> (package:flutter_tools/src/runner/flutter_command.dart:279)
<asynchronous suspension>
#4 AppContext.run.<anonymous closure> (package:flutter_tools/src/base/context.dart:142)
<asynchronous suspension>
#5 _rootRun (dart:async/zone.dart:1126)
#6 _CustomZone.run (dart:async/zone.dart:1023)
#7 runZoned (dart:async/zone.dart:1501)
#8 AppContext.run (package:flutter_tools/src/base/context.dart:141)
<asynchronous suspension>
#9 FlutterCommand.run (package:flutter_tools/src/runner/flutter_command.dart:270)
#10 CommandRunner.runCommand (package:args/command_runner.dart:194)
<asynchronous suspension>
#11 FlutterCommandRunner.runCommand.<anonymous closure> (package:flutter_tools/src/runner/flutter_command_runner.dart:309)
<asynchronous suspension>
#12 AppContext.run.<anonymous closure> (package:flutter_tools/src/base/context.dart:142)
<asynchronous suspension>
#13 _rootRun (dart:async/zone.dart:1126)
#14 _CustomZone.run (dart:async/zone.dart:1023)
#15 runZoned (dart:async/zone.dart:1501)
#16 AppContext.run (package:flutter_tools/src/base/context.dart:141)
<asynchronous suspension>
#17 FlutterCommandRunner.runCommand (package:flutter_tools/src/runner/flutter_command_runner.dart:265)
<asynchronous suspension>
#18 CommandRunner.run.<anonymous closure> (package:args/command_runner.dart:109)
#19 new Future.sync (dart:async/future.dart:222)
#20 CommandRunner.run (package:args/command_runner.dart:109)
#21 FlutterCommandRunner.run (package:flutter_tools/src/runner/flutter_command_runner.dart:174)
#22 run.<anonymous closure> (package:flutter_tools/runner.dart:59)
<asynchronous suspension>
#23 AppContext.run.<anonymous closure> (package:flutter_tools/src/base/context.dart:142)
<asynchronous suspension>
#24 _rootRun (dart:async/zone.dart:1126)
#25 _CustomZone.run (dart:async/zone.dart:1023)
#26 runZoned (dart:async/zone.dart:1501)
#27 AppContext.run (package:flutter_tools/src/base/context.dart:141)
<asynchronous suspension>
#28 runInContext (package:flutter_tools/src/context_runner.dart:43)
<asynchronous suspension>
#29 run (package:flutter_tools/runner.dart:50)
#30 main (package:flutter_tools/executable.dart:49)
<asynchronous suspension>
#31 main (file:///Users/gurleensethi/Documents/Flutter/flutter/packages/flutter_tools/bin/flutter_tools.dart:8)
#32 _startIsolate.<anonymous closure> (dart:isolate-patch/dart:isolate/isolate_patch.dart:277)
#33 _RawReceivePortImpl._handleMessage (dart:isolate-patch/dart:isolate/isolate_patch.dart:165)
"><pre class="notranslate"><code class="notranslate">Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -include /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Target\ Support\ Files/firebase_ml_vision/firebase_ml_vision-prefix.pch -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/LabelDetector.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/LabelDetector.dia -c /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/LabelDetector.m -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/LabelDetector.o
In file included from /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/LabelDetector.m:1:
In file included from /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/FirebaseMlVisionPlugin.h:1:
In file included from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter/Flutter/Flutter.h:37:
In file included from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter/Flutter/FlutterAppDelegate.h:11:
/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter/Flutter/FlutterPlugin.h:140:58: warning: this block declaration is not a prototype [-Wstrict-prototypes]
completionHandler:(nonnull void (^)())completionHandler;
^
void
1 warning generated.
CompileC /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/TextDetector.o /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/TextDetector.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu11 -fobjc-arc -fobjc-weak -fmodules -fmodules-cache-path=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wdocumentation -Wunreachable-code -Wno-implicit-atomic-properties -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-arc-repeated-use-of-weak -Wimplicit-retain-self -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wdeprecated-implementations -DPOD_CONFIGURATION_DEBUG=1 -DDEBUG=1 -DCOCOAPODS=1 -DOBJC_OLD_DISPATCH_PROTOTYPES=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -Wunguarded-availability -fobjc-abi-version=2 -fobjc-legacy-dispatch -index-store-path /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Index/DataStore -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/firebase_ml_vision-generated-files.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/firebase_ml_vision-own-target-headers.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/firebase_ml_vision-all-target-headers.hmap -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/firebase_ml_vision-project-headers.hmap -I/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/firebase_ml_vision/include -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Private -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Private/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/DerivedSources/x86_64 -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/DerivedSources -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/firebase_ml_vision -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -include /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Target\ Support\ Files/firebase_ml_vision/firebase_ml_vision-prefix.pch -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/TextDetector.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/TextDetector.dia -c /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/TextDetector.m -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/TextDetector.o
In file included from /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/TextDetector.m:1:
In file included from /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/ios/Classes/FirebaseMlVisionPlugin.h:1:
In file included from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter/Flutter/Flutter.h:37:
In file included from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter/Flutter/FlutterAppDelegate.h:11:
/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter/Flutter/FlutterPlugin.h:140:58: warning: this block declaration is not a prototype [-Wstrict-prototypes]
completionHandler:(nonnull void (^)())completionHandler;
^
void
1 warning generated.
Libtool /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/firebase_ml_vision/libfirebase_ml_vision.a normal x86_64
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods
export IPHONEOS_DEPLOYMENT_TARGET=8.0
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/libtool -static -arch_only x86_64 -syslibroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/firebase_ml_vision -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/FirebaseCore -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/GTMSessionFetcher -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/GoogleAPIClientForREST -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/GoogleToolboxForMac -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Protobuf -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/nanopb -filelist /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/firebase_ml_vision.build/Objects-normal/x86_64/firebase_ml_vision.LinkFileList -o /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/firebase_ml_vision/libfirebase_ml_vision.a
=== BUILD TARGET Pods-Runner OF PROJECT Pods WITH CONFIGURATION Debug ===
Check dependencies
Write auxiliary files
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-project-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-generated-files.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-own-target-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-all-non-framework-target-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-all-target-headers.hmap
/bin/mkdir -p /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64/Pods-Runner.LinkFileList
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner.hmap
CompileC /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64/Pods-Runner-dummy.o Target\ Support\ Files/Pods-Runner/Pods-Runner-dummy.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu11 -fobjc-arc -fobjc-weak -fmodules -fmodules-cache-path=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wdocumentation -Wunreachable-code -Wno-implicit-atomic-properties -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-arc-repeated-use-of-weak -Wimplicit-retain-self -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wdeprecated-implementations -DPOD_CONFIGURATION_DEBUG=1 -DDEBUG=1 -DCOCOAPODS=1 -DPOD_CONFIGURATION_DEBUG=1 -DDEBUG=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPOD_CONFIGURATION_DEBUG=1 -DDEBUG=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DOBJC_OLD_DISPATCH_PROTOTYPES=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -Wunguarded-availability -fobjc-abi-version=2 -fobjc-legacy-dispatch -index-store-path /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Index/DataStore -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-generated-files.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-own-target-headers.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-all-target-headers.hmap -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Pods-Runner-project-headers.hmap -I/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/include -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Firebase/CoreOnly/Sources -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/DerivedSources/x86_64 -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/DerivedSources -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64/Pods-Runner-dummy.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64/Pods-Runner-dummy.dia -c /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Target\ Support\ Files/Pods-Runner/Pods-Runner-dummy.m -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64/Pods-Runner-dummy.o
Libtool /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/libPods-Runner.a normal x86_64
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods
export IPHONEOS_DEPLOYMENT_TARGET=8.0
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/libtool -static -arch_only x86_64 -syslibroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/FirebaseCore -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/GTMSessionFetcher -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/GoogleAPIClientForREST -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/GoogleToolboxForMac -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Protobuf -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/firebase_ml_vision -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/flutter_native_image -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/image_picker -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/nanopb -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/path_provider -filelist /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Pods-Runner.build/Objects-normal/x86_64/Pods-Runner.LinkFileList -o /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/libPods-Runner.a
=== BUILD TARGET Runner OF PROJECT Runner WITH CONFIGURATION Debug ===
Check dependencies
Write auxiliary files
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-3B06AD1E1E4923F5004D2608.sh
chmod 0755 /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-3B06AD1E1E4923F5004D2608.sh
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh
chmod 0755 /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-6DF974FCDC1745740FC629DD.sh
chmod 0755 /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-6DF974FCDC1745740FC629DD.sh
/bin/mkdir -p /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.LinkFileList
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-target-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-7E6B10CC3CB12F7E5BF6A529.sh
chmod 0755 /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-7E6B10CC3CB12F7E5BF6A529.sh
/bin/mkdir -p /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/Runner_vers.c
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-non-framework-target-headers.hmap
write-file /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-C6744CBAA996D108E7DCFD47.sh
chmod 0755 /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-C6744CBAA996D108E7DCFD47.sh
Create product structure
/bin/mkdir -p /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Runner.app
ProcessProductPackaging "" /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner.app-Simulated.xcent
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
Entitlements:
{
"application-identifier" = "WJVKE56X3T.com.tedconsulting.cameraMl";
"keychain-access-groups" = (
"WJVKE56X3T.com.tedconsulting.cameraMl"
);
}
builtin-productPackagingUtility -entitlements -format xml -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner.app-Simulated.xcent
PhaseScriptExecution [CP]\ Check\ Pods\ Manifest.lock /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-7E6B10CC3CB12F7E5BF6A529.sh
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
/bin/sh -c /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-7E6B10CC3CB12F7E5BF6A529.sh
PhaseScriptExecution Run\ Script /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
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=gurleensethi
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/gurleensethi/FlutterProjects/camera_ml/build/ios
export BUILD_ROOT=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Products
export BUILD_STYLE=
export BUILD_VARIANTS=normal
export BUILT_PRODUCTS_DIR=/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator
export CACHE_ROOT=/var/folders/2j/3l9c62fn79981z71rc6nx10h0000gn/C/com.apple.DeveloperTools/9.4.1-9F2000/Xcode
export CCHROOT=/var/folders/2j/3l9c62fn79981z71rc6nx10h0000gn/C/com.apple.DeveloperTools/9.4.1-9F2000/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/gurleensethi/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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/JavaClasses
export CLEAN_PRECOMPS=YES
export CLONE_HEADERS=NO
export CODESIGNING_FOLDER_PATH=/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Runner.app
export CODE_SIGNING_ALLOWED=YES
export CODE_SIGNING_REQUIRED=YES
export CODE_SIGN_CONTEXT_CLASS=XCiPhoneSimulatorCodeSignContext
export CODE_SIGN_IDENTITY=-
export CODE_SIGN_INJECT_BASE_ENTITLEMENTS=YES
export COLOR_DIAGNOSTICS=NO
export COMBINE_HIDPI_IMAGES=NO
export COMMAND_MODE=legacy
export COMPILER_INDEX_STORE_ENABLE=Default
export COMPOSITE_SDK_DIRS=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/CompositeSDKs
export COMPRESS_PNG_FILES=YES
export CONFIGURATION=Debug
export CONFIGURATION_BUILD_DIR=/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator
export CONFIGURATION_TEMP_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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.4.sdk
export CORRESPONDING_DEVICE_SDK_NAME=iphoneos11.4
export CP=/bin/cp
export CREATE_INFOPLIST_SECTION_IN_BINARY=NO
export CURRENT_ARCH=x86_64
export CURRENT_PROJECT_VERSION=1
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.1 11.2 11.3 11.4"
export DERIVED_FILES_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
export DERIVED_FILE_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
export DERIVED_SOURCES_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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=WJVKE56X3T
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_ACCOMPANY_PRODUCT=NO
export DWARF_DSYM_FOLDER_PATH=/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects/LinkFileList
export FIXED_FILES_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/FixedFiles
export FLUTTER_APPLICATION_PATH=/Users/gurleensethi/FlutterProjects/camera_ml
export FLUTTER_BUILD_DIR=build
export FLUTTER_BUILD_MODE=debug
export FLUTTER_FRAMEWORK_DIR=/Users/gurleensethi/Documents/Flutter/flutter/bin/cache/artifacts/engine/ios
export FLUTTER_ROOT=/Users/gurleensethi/Documents/Flutter/flutter
export FLUTTER_TARGET=/Users/gurleensethi/FlutterProjects/camera_ml/lib/main.dart
export FRAMEWORKS_FOLDER_PATH=Runner.app/Frameworks
export FRAMEWORK_FLAG_PREFIX=-framework
export FRAMEWORK_SEARCH_PATHS="/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks\" /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter"
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 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/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/include /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Firebase/CoreOnly/Sources \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb\" \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider\""
export HIDE_BITCODE_SYMBOLS=YES
export HOME=/Users/gurleensethi
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=gurleensethi
export INSTALL_PATH=/Applications
export INSTALL_ROOT=/tmp/Runner.dst
export IPHONEOS_DEPLOYMENT_TARGET=8.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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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_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"
export 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/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator "
export LINKER_DISPLAYS_MANGLED_NAMES=NO
export LINK_FILE_LIST_normal_x86_64=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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=17G65
export MAC_OS_X_VERSION_ACTUAL=101306
export MAC_OS_X_VERSION_MAJOR=101300
export MAC_OS_X_VERSION_MINOR=1306
export METAL_LIBRARY_FILE_BASE=default
export METAL_LIBRARY_OUTPUT_DIR=/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Runner.app
export MODULE_CACHE_DIR=/Users/gurleensethi/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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects
export OBJECT_FILE_DIR_normal=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal
export OBJROOT=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex
export ONLY_ACTIVE_ARCH=YES
export OS=MACOS
export OSAC=/usr/bin/osacompile
export OTHER_CFLAGS=" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider\""
export OTHER_CPLUSPLUSFLAGS=" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb\" -isystem \"/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider\""
export OTHER_LDFLAGS=" -ObjC -l\"FirebaseCore\" -l\"GTMSessionFetcher\" -l\"GoogleAPIClientForREST\" -l\"GoogleToolboxForMac\" -l\"Protobuf\" -l\"c++\" -l\"firebase_ml_vision\" -l\"flutter_native_image\" -l\"image_picker\" -l\"nanopb\" -l\"path_provider\" -l\"sqlite3\" -l\"z\" -framework \"AVFoundation\" -framework \"Accelerate\" -framework \"BarcodeDetector\" -framework \"CoreGraphics\" -framework \"CoreImage\" -framework \"CoreMedia\" -framework \"CoreVideo\" -framework \"FaceDetector\" -framework \"FirebaseAnalytics\" -framework \"FirebaseCoreDiagnostics\" -framework \"FirebaseInstanceID\" -framework \"FirebaseMLCommon\" -framework \"FirebaseMLVision\" -framework \"FirebaseMLVisionBarcodeModel\" -framework \"FirebaseMLVisionFaceModel\" -framework \"FirebaseMLVisionLabelModel\" -framework \"FirebaseMLVisionTextModel\" -framework \"FirebaseNanoPB\" -framework \"Flutter\" -framework \"Foundation\" -framework \"GoogleMobileVision\" -framework \"LabelDetector\" -framework \"LocalAuthentication\" -framework \"Security\" -framework \"StoreKit\" -framework \"SystemConfiguration\" -framework \"TextDetector\" -framework \"UIKit\""
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:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
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/Developer/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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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/gurleensethi/FlutterProjects/camera_ml/build/ios
export PODS_CONFIGURATION_BUILD_DIR=/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator
export PODS_PODFILE_DIR_PATH=/Users/gurleensethi/FlutterProjects/camera_ml/ios/.
export PODS_ROOT=/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods
export PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR=YES
export PRECOMP_DESTINATION_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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.tedconsulting.cameraMl
export PRODUCT_MODULE_NAME=Runner
export PRODUCT_NAME=Runner
export PRODUCT_SETTINGS_PATH=/Users/gurleensethi/FlutterProjects/camera_ml/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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/DerivedSources
export PROJECT_DIR=/Users/gurleensethi/FlutterProjects/camera_ml/ios
export PROJECT_FILE_PATH=/Users/gurleensethi/FlutterProjects/camera_ml/ios/Runner.xcodeproj
export PROJECT_NAME=Runner
export PROJECT_TEMP_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build
export PROJECT_TEMP_ROOT=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources
export REZ_OBJECTS_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources/Objects
export REZ_SEARCH_PATHS="/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/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 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/2j/3l9c62fn79981z71rc6nx10h0000gn/T/flutter_build_log_pipe5EpMAu/pipe_to_stdout
export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_DIR_iphonesimulator11_4=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_NAME=iphonesimulator11.4
export SDK_NAMES=iphonesimulator11.4
export SDK_PRODUCT_BUILD_VERSION=15F79
export SDK_VERSION=11.4
export SDK_VERSION_ACTUAL=110400
export SDK_VERSION_MAJOR=110000
export SDK_VERSION_MINOR=400
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/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/DerivedSources
export SHARED_FRAMEWORKS_FOLDER_PATH=Runner.app/SharedFrameworks
export SHARED_PRECOMPS_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/PrecompiledHeaders
export SHARED_SUPPORT_FOLDER_PATH=Runner.app/SharedSupport
export SKIP_INSTALL=NO
export SOURCE_ROOT=/Users/gurleensethi/FlutterProjects/camera_ml/ios
export SRCROOT=/Users/gurleensethi/FlutterProjects/camera_ml/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_PLATFORM_TARGET_PREFIX=ios
export SYMROOT=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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_DEVELOPER_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/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator
export TARGET_DEVICE_IDENTIFIER="dvtdevice-DVTiOSDeviceSimulatorPlaceholder-iphonesimulator:placeholder"
export TARGET_NAME=Runner
export TARGET_TEMP_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_FILES_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_FILE_DIR=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_ROOT=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/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=gurleensethi
export USER_APPS_DIR=/Users/gurleensethi/Applications
export USER_LIBRARY_DIR=/Users/gurleensethi/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 VERBOSE_SCRIPT_LOGGING=YES
export VERSIONING_SYSTEM=apple-generic
export VERSIONPLIST_PATH=Runner.app/version.plist
export VERSION_INFO_BUILDER=gurleensethi
export VERSION_INFO_FILE=Runner_vers.c
export VERSION_INFO_STRING="\"@(#)PROGRAM:Runner PROJECT:Runner-1\""
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=9F2000
export XCODE_VERSION_ACTUAL=0941
export XCODE_VERSION_MAJOR=0900
export XCODE_VERSION_MINOR=0940
export XPCSERVICES_FOLDER_PATH=Runner.app/XPCServices
export YACC=yacc
export arch=x86_64
export variant=normal
/bin/sh -c /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh
♦ mkdir -p -- /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter
♦ rm -rf -- /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/Flutter.framework
♦ rm -rf -- /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/App.framework
♦ cp -r -- /Users/gurleensethi/Documents/Flutter/flutter/bin/cache/artifacts/engine/ios/Flutter.framework /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter
♦ find /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/Flutter.framework -type f -exec chmod a-w {} ;
♦ mkdir -p -- /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/App.framework
♦ eval
♦ cp -- /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/AppFrameworkInfo.plist /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/App.framework/Info.plist
♦ /Users/gurleensethi/Documents/Flutter/flutter/bin/flutter --suppress-analytics --verbose build bundle --target=/Users/gurleensethi/FlutterProjects/camera_ml/lib/main.dart --snapshot=build/snapshot_blob.bin --depfile=build/snapshot_blob.bin.d --asset-dir=/Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/flutter_assets --preview-dart-2
[ +7 ms] [/Users/gurleensethi/Documents/Flutter/flutter/] git rev-parse --abbrev-ref --symbolic @{u}
[ +39 ms] Exit code 0 from: git rev-parse --abbrev-ref --symbolic @{u}
[ ] origin/beta
[ ] [/Users/gurleensethi/Documents/Flutter/flutter/] git rev-parse --abbrev-ref HEAD
[ +7 ms] Exit code 0 from: git rev-parse --abbrev-ref HEAD
[ ] beta
[ ] [/Users/gurleensethi/Documents/Flutter/flutter/] git ls-remote --get-url origin
[ +8 ms] Exit code 0 from: git ls-remote --get-url origin
[ ] https://github.com/flutter/flutter.git
[ ] [/Users/gurleensethi/Documents/Flutter/flutter/] git log -n 1 --pretty=format:%H
[ +9 ms] Exit code 0 from: git log -n 1 --pretty=format:%H
[ ] c7ea3ca377e909469c68f2ab878a5bc53d3cf66b
[ ] [/Users/gurleensethi/Documents/Flutter/flutter/] git log -n 1 --pretty=format:%ar
[ +9 ms] Exit code 0 from: git log -n 1 --pretty=format:%ar
[ ] 3 months ago
[ ] [/Users/gurleensethi/Documents/Flutter/flutter/] git describe --match v*.*.* --first-parent --long --tags
[ +9 ms] Exit code 0 from: git describe --match v*.*.* --first-parent --long --tags
[ ] v0.5.1-0-gc7ea3ca37
[ +237 ms] Found plugin firebase_ml_vision at /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/firebase_ml_vision-0.1.0/
[ +26 ms] Found plugin flutter_native_image at /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/git/flutter_native_image-6f2753b7eb3fc99bdf765148e26d0556696a3a5e/
[ +23 ms] Found plugin image_picker at /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/image_picker-0.4.6/
[ +17 ms] Found plugin path_provider at /Users/gurleensethi/Documents/Flutter/flutter/.pub-cache/hosted/pub.dartlang.org/path_provider-0.4.1/
[ +474 ms] Skipping kernel compilation. Fingerprint match.
[ +254 ms] Building bundle
[ +1 ms] Writing asset files to /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/flutter_assets
[ +53 ms] Wrote /Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter/flutter_assets
[ +7 ms] "flutter bundle" took 951ms.
Project /Users/gurleensethi/FlutterProjects/camera_ml built and packaged successfully.
CompileC /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.o Runner/AppDelegate.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu99 -fobjc-arc -fmodules -gmodules -fmodules-cache-path=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wunreachable-code -Wno-implicit-atomic-properties -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-arc-repeated-use-of-weak -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wno-deprecated-implementations -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DCOCOAPODS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DOBJC_OLD_DISPATCH_PROTOTYPES=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -fobjc-abi-version=2 -fobjc-legacy-dispatch -index-store-path /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Index/DataStore -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-target-headers.hmap -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -I/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/include -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Firebase/CoreOnly/Sources -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.dia -c /Users/gurleensethi/FlutterProjects/camera_ml/ios/Runner/AppDelegate.m -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.o
While building module 'Flutter' imported from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Runner/AppDelegate.h:1:
In file included from <module-includes>:1:
In file included from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios/Flutter.framework/Headers/Flutter.h:37:
In file included from /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios/Flutter.framework/Headers/FlutterAppDelegate.h:11:
/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios/Flutter.framework/Headers/FlutterPlugin.h:140:58: warning: this block declaration is not a prototype [-Wstrict-prototypes]
completionHandler:(nonnull void (^)())completionHandler;
^
void
1 warning generated.
1 warning generated.
CompileC /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/main.o Runner/main.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu99 -fobjc-arc -fmodules -gmodules -fmodules-cache-path=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wunreachable-code -Wno-implicit-atomic-properties -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-arc-repeated-use-of-weak -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wno-deprecated-implementations -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DCOCOAPODS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DOBJC_OLD_DISPATCH_PROTOTYPES=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -fobjc-abi-version=2 -fobjc-legacy-dispatch -index-store-path /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Index/DataStore -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-target-headers.hmap -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -I/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/include -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Firebase/CoreOnly/Sources -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/main.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/main.dia -c /Users/gurleensethi/FlutterProjects/camera_ml/ios/Runner/main.m -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/main.o
CompileC /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.o Runner/GeneratedPluginRegistrant.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu99 -fobjc-arc -fmodules -gmodules -fmodules-cache-path=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wunreachable-code -Wno-implicit-atomic-properties -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-arc-repeated-use-of-weak -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wno-deprecated-implementations -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DCOCOAPODS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DOBJC_OLD_DISPATCH_PROTOTYPES=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -fobjc-abi-version=2 -fobjc-legacy-dispatch -index-store-path /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Index/DataStore -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-target-headers.hmap -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -I/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/include -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Firebase/CoreOnly/Sources -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.dia -c /Users/gurleensethi/FlutterProjects/camera_ml/ios/Runner/GeneratedPluginRegistrant.m -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.o
CompileC /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_vers.o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/Runner_vers.c normal x86_64 c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu99 -fmodules -gmodules -fmodules-cache-path=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/gurleensethi/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wunreachable-code -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DCOCOAPODS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DDEBUG=1 -DCOCOAPODS=1 -DGPB_USE_PROTOBUF_FRAMEWORK_IMPORTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -DPB_FIELD_32BIT=1 -DPB_NO_PACKED_STRUCTS=1 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -index-store-path /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Index/DataStore -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-target-headers.hmap -iquote /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -I/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/include -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Firebase/CoreOnly/Sources -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -I/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -I/Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Firebase -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseAnalytics -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseCore -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseInstanceID -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/FirebaseMLVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Flutter -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GTMSessionFetcher -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleAPIClientForREST -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleMobileVision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/GoogleToolboxForMac -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/Protobuf -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/firebase_ml_vision -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/flutter_native_image -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/image_picker -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/nanopb -isystem /Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/Headers/Public/path_provider -MMD -MT dependencies -MF /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_vers.d --serialize-diagnostics /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_vers.dia -c /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/Runner_vers.c -o /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_vers.o
Ld /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Runner.app/Runner normal x86_64
cd /Users/gurleensethi/FlutterProjects/camera_ml/ios
export IPHONEOS_DEPLOYMENT_TARGET=8.0
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/gurleensethi/Documents/Flutter/flutter/bin:/usr/local/mysql/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/Library/Android/sdk/platform-tools/:/Users/gurleensethi/.nexustools:/Users/gurleensethi/Library/Android/sdk/platform-tools/adb"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -arch x86_64 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -L/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseAnalytics/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseInstanceID/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLCommon/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVision/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionBarcodeModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionFaceModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionLabelModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/FirebaseMLVisionTextModel/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/../.symlinks/flutter/ios -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/BarcodeDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/Detector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/FaceDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/LabelDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Pods/GoogleMobileVision/TextDetector/Frameworks -F/Users/gurleensethi/FlutterProjects/camera_ml/ios/Flutter -filelist /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.LinkFileList -Xlinker -rpath -Xlinker @executable_path/Frameworks -Xlinker -rpath -Xlinker @loader_path/Frameworks -Xlinker -rpath -Xlinker @executable_path/Frameworks -Xlinker -rpath -Xlinker @loader_path/Frameworks -Xlinker -rpath -Xlinker @executable_path/Frameworks -mios-simulator-version-min=8.0 -dead_strip -Xlinker -object_path_lto -Xlinker /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_lto.o -Xlinker -export_dynamic -Xlinker -no_deduplicate -Xlinker -objc_abi_version -Xlinker 2 -fobjc-arc -fobjc-link-runtime -ObjC -lFirebaseCore -lGTMSessionFetcher -lGoogleAPIClientForREST -lGoogleToolboxForMac -lProtobuf -lc++ -lfirebase_ml_vision -lflutter_native_image -limage_picker -lnanopb -lpath_provider -lsqlite3 -lz -framework AVFoundation -framework Accelerate -framework BarcodeDetector -framework CoreGraphics -framework CoreImage -framework CoreMedia -framework CoreVideo -framework FaceDetector -framework FirebaseAnalytics -framework FirebaseCoreDiagnostics -framework FirebaseInstanceID -framework FirebaseMLCommon -framework FirebaseMLVision -framework FirebaseMLVisionBarcodeModel -framework FirebaseMLVisionFaceModel -framework FirebaseMLVisionLabelModel -framework FirebaseMLVisionTextModel -framework FirebaseNanoPB -framework Flutter -framework Foundation -framework GoogleMobileVision -framework LabelDetector -framework LocalAuthentication -framework Security -framework StoreKit -framework SystemConfiguration -framework TextDetector -framework UIKit -Xlinker -sectcreate -Xlinker __TEXT -Xlinker __entitlements -Xlinker /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner.app-Simulated.xcent -framework Flutter -framework App -lPods-Runner -Xlinker -dependency_info -Xlinker /Users/gurleensethi/Library/Developer/Xcode/DerivedData/Runner-beqjxfjymfqmjoecekildkznordr/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_dependency_info.dat -o /Users/gurleensethi/FlutterProjects/camera_ml/build/ios/Debug-iphonesimulator/Runner.app/Runner
ld: library not found for -lFirebaseCore
clang: error: linker command failed with exit code 1 (use -v to see invocation)
[ +153 ms] Could not build the application for the simulator.
[ +1 ms] Error launching application on iPhone 6.
[ +3 ms] "flutter run" took 29,211ms.
#0 throwToolExit (package:flutter_tools/src/base/common.dart:28)
#1 RunCommand.runCommand (package:flutter_tools/src/commands/run.dart:401)
<asynchronous suspension>
#2 FlutterCommand.verifyThenRunCommand (package:flutter_tools/src/runner/flutter_command.dart:344)
<asynchronous suspension>
#3 FlutterCommand.run.<anonymous closure> (package:flutter_tools/src/runner/flutter_command.dart:279)
<asynchronous suspension>
#4 AppContext.run.<anonymous closure> (package:flutter_tools/src/base/context.dart:142)
<asynchronous suspension>
#5 _rootRun (dart:async/zone.dart:1126)
#6 _CustomZone.run (dart:async/zone.dart:1023)
#7 runZoned (dart:async/zone.dart:1501)
#8 AppContext.run (package:flutter_tools/src/base/context.dart:141)
<asynchronous suspension>
#9 FlutterCommand.run (package:flutter_tools/src/runner/flutter_command.dart:270)
#10 CommandRunner.runCommand (package:args/command_runner.dart:194)
<asynchronous suspension>
#11 FlutterCommandRunner.runCommand.<anonymous closure> (package:flutter_tools/src/runner/flutter_command_runner.dart:309)
<asynchronous suspension>
#12 AppContext.run.<anonymous closure> (package:flutter_tools/src/base/context.dart:142)
<asynchronous suspension>
#13 _rootRun (dart:async/zone.dart:1126)
#14 _CustomZone.run (dart:async/zone.dart:1023)
#15 runZoned (dart:async/zone.dart:1501)
#16 AppContext.run (package:flutter_tools/src/base/context.dart:141)
<asynchronous suspension>
#17 FlutterCommandRunner.runCommand (package:flutter_tools/src/runner/flutter_command_runner.dart:265)
<asynchronous suspension>
#18 CommandRunner.run.<anonymous closure> (package:args/command_runner.dart:109)
#19 new Future.sync (dart:async/future.dart:222)
#20 CommandRunner.run (package:args/command_runner.dart:109)
#21 FlutterCommandRunner.run (package:flutter_tools/src/runner/flutter_command_runner.dart:174)
#22 run.<anonymous closure> (package:flutter_tools/runner.dart:59)
<asynchronous suspension>
#23 AppContext.run.<anonymous closure> (package:flutter_tools/src/base/context.dart:142)
<asynchronous suspension>
#24 _rootRun (dart:async/zone.dart:1126)
#25 _CustomZone.run (dart:async/zone.dart:1023)
#26 runZoned (dart:async/zone.dart:1501)
#27 AppContext.run (package:flutter_tools/src/base/context.dart:141)
<asynchronous suspension>
#28 runInContext (package:flutter_tools/src/context_runner.dart:43)
<asynchronous suspension>
#29 run (package:flutter_tools/runner.dart:50)
#30 main (package:flutter_tools/executable.dart:49)
<asynchronous suspension>
#31 main (file:///Users/gurleensethi/Documents/Flutter/flutter/packages/flutter_tools/bin/flutter_tools.dart:8)
#32 _startIsolate.<anonymous closure> (dart:isolate-patch/dart:isolate/isolate_patch.dart:277)
#33 _RawReceivePortImpl._handleMessage (dart:isolate-patch/dart:isolate/isolate_patch.dart:165)
</code></pre></div>
<p dir="auto">Analyzing camera_ml...</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" info • Unused import: 'package:camera_ml/common/rectangle_painter.dart' • lib/scan_faces/scan_faces.dart:2:8
1 issue found. (ran in 3.0s)"><pre class="notranslate"><code class="notranslate"> info • Unused import: 'package:camera_ml/common/rectangle_painter.dart' • lib/scan_faces/scan_faces.dart:2:8
1 issue found. (ran in 3.0s)
</code></pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[✓] Flutter (Channel beta, v0.5.1, on Mac OS X 10.13.6 17G65, locale en-IN)
• Flutter version 0.5.1 at /Users/gurleensethi/Documents/Flutter/flutter
• Framework revision c7ea3ca377 (3 months ago), 2018-05-29 21:07:33 +0200
• Engine revision 1ed25ca7b7
• Dart version 2.0.0-dev.58.0.flutter-f981f09760
[✓] Android toolchain - develop for Android devices (Android SDK 28.0.0-rc1)
• Android SDK at /Users/gurleensethi/Library/Android/sdk
• Android NDK location not configured (optional; useful for native profiling support)
• Platform android-28, build-tools 28.0.0-rc1
• 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.4.1)
• Xcode at /Applications/Xcode.app/Contents/Developer
• Xcode 9.4.1, Build version 9F2000
• ios-deploy 1.9.2
• CocoaPods version 1.5.3
[✓] Android Studio (version 3.1)
• 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_152-release-1024-b01)
[✓] IntelliJ IDEA Community Edition (version 2018.2.1)
• IntelliJ at /Applications/IntelliJ IDEA CE.app
• Flutter plugin version 27.1.3
• Dart plugin version 182.3911.37
[!] VS Code (version 1.25.1)
• VS Code at /Applications/Visual Studio Code.app/Contents
• Flutter extension not installed; install from
https://marketplace.visualstudio.com/items?itemName=Dart-Code.flutter
[✓] Connected devices (1 available)
• iPhone 6 • C603CF68-F33C-449C-A579-099878EA3D05 • ios • iOS 11.4 (simulator)
! Doctor found issues in 1 category."><pre class="notranslate"><code class="notranslate">[✓] Flutter (Channel beta, v0.5.1, on Mac OS X 10.13.6 17G65, locale en-IN)
• Flutter version 0.5.1 at /Users/gurleensethi/Documents/Flutter/flutter
• Framework revision c7ea3ca377 (3 months ago), 2018-05-29 21:07:33 +0200
• Engine revision 1ed25ca7b7
• Dart version 2.0.0-dev.58.0.flutter-f981f09760
[✓] Android toolchain - develop for Android devices (Android SDK 28.0.0-rc1)
• Android SDK at /Users/gurleensethi/Library/Android/sdk
• Android NDK location not configured (optional; useful for native profiling support)
• Platform android-28, build-tools 28.0.0-rc1
• 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.4.1)
• Xcode at /Applications/Xcode.app/Contents/Developer
• Xcode 9.4.1, Build version 9F2000
• ios-deploy 1.9.2
• CocoaPods version 1.5.3
[✓] Android Studio (version 3.1)
• 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_152-release-1024-b01)
[✓] IntelliJ IDEA Community Edition (version 2018.2.1)
• IntelliJ at /Applications/IntelliJ IDEA CE.app
• Flutter plugin version 27.1.3
• Dart plugin version 182.3911.37
[!] VS Code (version 1.25.1)
• VS Code at /Applications/Visual Studio Code.app/Contents
• Flutter extension not installed; install from
https://marketplace.visualstudio.com/items?itemName=Dart-Code.flutter
[✓] Connected devices (1 available)
• iPhone 6 • C603CF68-F33C-449C-A579-099878EA3D05 • ios • iOS 11.4 (simulator)
! Doctor found issues in 1 category.
</code></pre></div>
<p dir="auto">When I am building the release version I am getting this error with Flutter as well as Xcode.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Automatically signing iOS for device deployment using specified development team in Xcode project: WJVKE56X3T
Running pod install... 3.1s
Starting Xcode build...
├─Building Dart code... 2.3s
├─Assembling Flutter resources... 1.2s
└─Compiling, linking and signing... 0.2s
Xcode build done. 5.4s
Failed to build iOS app
Error output from Xcode build:
↳
** BUILD FAILED **
Xcode's output:
↳
=== BUILD TARGET Runner OF PROJECT Runner WITH CONFIGURATION Release ===
ld: library not found for -lFirebaseCore
clang: error: linker command failed with exit code 1 (use -v to see invocation)
ld: library not found for -lFirebaseCore
clang: error: linker command failed with exit code 1 (use -v to see invocation)
Encountered error while building for device.
"><pre class="notranslate"><code class="notranslate">Automatically signing iOS for device deployment using specified development team in Xcode project: WJVKE56X3T
Running pod install... 3.1s
Starting Xcode build...
├─Building Dart code... 2.3s
├─Assembling Flutter resources... 1.2s
└─Compiling, linking and signing... 0.2s
Xcode build done. 5.4s
Failed to build iOS app
Error output from Xcode build:
↳
** BUILD FAILED **
Xcode's output:
↳
=== BUILD TARGET Runner OF PROJECT Runner WITH CONFIGURATION Release ===
ld: library not found for -lFirebaseCore
clang: error: linker command failed with exit code 1 (use -v to see invocation)
ld: library not found for -lFirebaseCore
clang: error: linker command failed with exit code 1 (use -v to see invocation)
Encountered error while building for device.
</code></pre></div> | 0 |
<p dir="auto">As-is, the repository-hdfs plugin isn't going to work at all from what i see.</p>
<p dir="auto">I'm just plotting what I think we need to do to fix it, before releasing it:</p>
<ul dir="auto">
<li>Four plugin zip versions are created, none are really tested, none are working (except on windows). For example the <code class="notranslate">-lite.zip</code> has no hadoop jars and expects the users to drop hadoop jars in their ES_CLASSPATH. We don't allow this, this is not going to work at all.</li>
<li>we need to drop the <code class="notranslate">-hadoop1</code> and <code class="notranslate">-lite</code> stuff and just one have one jar, we need to get the basics working, walk before we can run. from what i see, things aren't working at all.</li>
<li>documentation recommends adding configuration files and similar to the <code class="notranslate">CLASSPATH</code> or ES <code class="notranslate">lib/</code> folder, we can't do things this way anymore! Its not going to work!</li>
<li>security permissions are not correct: it only adds <code class="notranslate">jaas_nt</code>. This means that this plugin is only going to work on windows NT platforms: anything else = instant security exception.</li>
<li>The use of HDFS should be made reliable (means hdfs2 only), since its a snapshot restore plugin. To me this means two things, fsync and atomic rename. I don't see any synchronization, and the rename it uses for committing does not look like the atomic one (rename2).</li>
<li>no tests are failing!</li>
</ul> | <p dir="auto"><strong>Elasticsearch version</strong>: 5.0.0-alpha3</p>
<p dir="auto"><strong>JVM version</strong>: 1.8.0_73-b02</p>
<p dir="auto"><strong>OS version</strong>: CentOS Linux release 7.2.1511</p>
<p dir="auto"><strong>Description of the problem including expected versus actual behavior</strong>:<br>
I'm trying to upgrade an ES plugin from 2.3 to 5.0.0-alpha3, and a template we previously had working is now causing an issue. The template attempts to set some default analyzers for an index, but when the index is created it throws an error saying there's already an analyzer with the default name.</p>
<p dir="auto">Here's the template I'm using:<br>
<code class="notranslate">{ "order": 0, "settings": { "index.analysis.analyzer.fairhairIndexAnalyzerv3.alias": "default", "index.analysis.analyzer.fairhairIndexAnalyzerv3.type": "fairhair-index-analyzer", "index.analysis.analyzer.fairhairTokenizingAnalyzer.type": "fairhair-tokenizing-analyzer", "index.analysis.analyzer.fairhairTokenizingAnalyzer.alias": "default_search" }, "mappings" : { //some mappings }, "template" : "document.*" }</code></p>
<p dir="auto"><strong>Provide logs (if relevant)</strong>:<br>
Here's the error stack trace I get:<br>
<code class="notranslate">elasticsearch_1 | [2016-06-28 23:40:43,871][DEBUG][action.admin.indices.create] [Iridia] [document.document-20151106] failed to create elasticsearch_1 | java.lang.IllegalStateException: already registered analyzer with name: default elasticsearch_1 | at org.elasticsearch.index.analysis.AnalysisService.<init>(AnalysisService.java:109) elasticsearch_1 | at org.elasticsearch.index.analysis.AnalysisRegistry.build(AnalysisRegistry.java:161) elasticsearch_1 | at org.elasticsearch.index.IndexService.<init>(IndexService.java:138) elasticsearch_1 | at org.elasticsearch.index.IndexModule.newIndexService(IndexModule.java:328) elasticsearch_1 | at org.elasticsearch.indices.IndicesService.createIndexService(IndicesService.java:398) elasticsearch_1 | at org.elasticsearch.indices.IndicesService.createIndex(IndicesService.java:363) </code></p>
<p dir="auto">I've looked at the AnalysisService class constructor, and I see it does a check for analyzers with the name "default" in the passed in analyzer mappings. I believe these conditional statements fire:</p>
<p dir="auto"><code class="notranslate">if (!analyzerProviders.containsKey("default")) { analyzerProviders.put("default", new StandardAnalyzerProvider(indexSettings, null, "default", Settings.Builder.EMPTY_SETTINGS)); } if (!analyzerProviders.containsKey("default_search")) { analyzerProviders.put("default_search", analyzerProviders.get("default")); } if (!analyzerProviders.containsKey("default_search_quoted")) { analyzerProviders.put("default_search_quoted", analyzerProviders.get("default_search")); }</code></p>
<p dir="auto">So it registers the standard analyzer, but while iterating through the passed in analyzers, this check also fires:</p>
<p dir="auto"><code class="notranslate">if (analyzers.containsKey(name)) { //Grabs the name from each entry in analyzer map throw new IllegalStateException("already registered analyzer with name: " + name); }</code></p>
<p dir="auto">I'm confused as to how both these conditions are firing. This check to see if the current map of analyzers already contains the key "name" was introduced in ES 5.</p>
<p dir="auto">EDIT: I know why the illegal state exception is being thrown. The Analysis Registry automatically adds the entry: "default" => StandardAnalyzer. So from what I can tell, it's actually impossible to register your own default index analyzer, since there will always be the standard analyzer. I think the check for whether a name is already in the analyzer mappings is a bug and should be removed.</p> | 0 |
<p dir="auto">After upgrading to VSCode 0.10.6 I've been getting IntelliSense suggestions when writing a line comment (starting the line with //) in C# projects. I use VScode for developing Unity3D projects on OSX 10.11.2.</p>
<p dir="auto">It's an understatement to call it annoying when I write e.g. "will do" and "do" auto completes to a full do...while loop.</p> | <p dir="auto">I'm trying to fix <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="118952199" data-permission-text="Title is private" data-url="https://github.com/microsoft/vscode-go/issues/103" data-hovercard-type="issue" data-hovercard-url="/microsoft/vscode-go/issues/103/hovercard" href="https://github.com/microsoft/vscode-go/issues/103">microsoft/vscode-go#103</a>, but as far as I can tell this isn't possible currently without tokenizing the whole file again in my extension and manually checking whether I'm in a comment to suprress providing results.</p>
<p dir="auto">It would be nice if the <code class="notranslate">CompletionItemProvider</code> provided a setting to suppress it's results when in certain tokens/scopes.</p>
<p dir="auto">The implementation of the <a href="https://github.com/Microsoft/vscode/blob/497788c0bcd20859f736d585b49c208af8dd518f/extensions/typescript/src/features/completionItemProvider.ts#L62">TypeScript completion provider</a> has an <code class="notranslate">excludeTokens</code> which seems to play this role but I can't get that to work in my own extension.</p> | 1 |
<p dir="auto">[Enter steps to reproduce below:]</p>
<ol dir="auto">
<li>...ignored *.pyc files in setting view</li>
<li>...and right clicked on found name in tree-view</li>
</ol>
<p dir="auto"><strong>Atom Version</strong>: 0.201.0<br>
<strong>System</strong>: Microsoft Windows 8.1<br>
<strong>Thrown From</strong>: Atom Core</p>
<h3 dir="auto">Stack Trace</h3>
<p dir="auto">Uncaught Error: Cannot find module './context-menu'<br>
Error: Cannot find module './context-menu'<br>
at Function.Module._resolveFilename (module.js:328:15)<br>
at Function.Module._load (module.js:270:25)<br>
at Module.require (module.js:357:17)<br>
at require (module.js:376:17)<br>
at BrowserWindow. (C:\Users\Owusu Tsalah</p> | <p dir="auto">I right-clicked on a folder in the tree view</p>
<p dir="auto"><strong>Atom Version</strong>: 0.194.0<br>
<strong>System</strong>: Windows 7 Entreprise<br>
<strong>Thrown From</strong>: Atom Core</p>
<h3 dir="auto">Stack Trace</h3>
<p dir="auto">Uncaught Error: Cannot find module './context-menu'<br>
Error: Cannot find module './context-menu'<br>
at Function.Module._resolveFilename (module.js:328:15)<br>
at Function.Module._load (module.js:270:25)<br>
at Module.require (module.js:357:17)<br>
at require (module.js:376:17)<br>
at BrowserWindow. (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\src\browser\atom-window.js:152:27)<br>
at emitOne (events.js:77:13)<br>
at BrowserWindow.emit (events.js:166:7)<br>
at callFunction (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\atom.asar\browser\lib\rpc-server.js:116:18)<br>
at EventEmitter. (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\atom.asar\browser\lib\rpc-server.js:208:14)<br>
at emitMany (events.js:108:13)</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="At C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\atom.asar\renderer\api\lib\remote.js:77
Error: Cannot find module './context-menu'
Error: Cannot find module './context-menu'
at Function.Module._resolveFilename (module.js:328:15)
at Function.Module._load (module.js:270:25)
at Module.require (module.js:357:17)
at require (module.js:376:17)
at BrowserWindow.<anonymous> (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\src\browser\atom-window.js:152:27)
at emitOne (events.js:77:13)
at BrowserWindow.emit (events.js:166:7)
at callFunction (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\atom.asar\browser\lib\rpc-server.js:116:18)
at EventEmitter.<anonymous> (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\atom.asar\browser\lib\rpc-server.js:208:14)
at emitMany (events.js:108:13)
at metaToValue (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\atom.asar\renderer\api\lib\remote.js:77:15)
at BrowserWindow.RemoteMemberFunction [as emit] (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\atom.asar\renderer\api\lib\remote.js:111:26)
at ContextMenuManager.module.exports.ContextMenuManager.showForEvent (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\src\context-menu-manager.js:170:31)
at HTMLDocument.<anonymous> (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\src\window-event-handler.js:149:33)
at HTMLDocument.handler (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\src\space-pen-extensions.js:112:34)
at HTMLDocument.jQuery.event.dispatch (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\node_modules\space-pen\vendor\jquery.js:4681:9)
at HTMLDocument.elemData.handle (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\node_modules\space-pen\vendor\jquery.js:4359:46)
"><pre class="notranslate"><code class="notranslate">At C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\atom.asar\renderer\api\lib\remote.js:77
Error: Cannot find module './context-menu'
Error: Cannot find module './context-menu'
at Function.Module._resolveFilename (module.js:328:15)
at Function.Module._load (module.js:270:25)
at Module.require (module.js:357:17)
at require (module.js:376:17)
at BrowserWindow.<anonymous> (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\src\browser\atom-window.js:152:27)
at emitOne (events.js:77:13)
at BrowserWindow.emit (events.js:166:7)
at callFunction (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\atom.asar\browser\lib\rpc-server.js:116:18)
at EventEmitter.<anonymous> (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\atom.asar\browser\lib\rpc-server.js:208:14)
at emitMany (events.js:108:13)
at metaToValue (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\atom.asar\renderer\api\lib\remote.js:77:15)
at BrowserWindow.RemoteMemberFunction [as emit] (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\atom.asar\renderer\api\lib\remote.js:111:26)
at ContextMenuManager.module.exports.ContextMenuManager.showForEvent (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\src\context-menu-manager.js:170:31)
at HTMLDocument.<anonymous> (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\src\window-event-handler.js:149:33)
at HTMLDocument.handler (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\src\space-pen-extensions.js:112:34)
at HTMLDocument.jQuery.event.dispatch (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\node_modules\space-pen\vendor\jquery.js:4681:9)
at HTMLDocument.elemData.handle (C:\Users\jbrichardet\AppData\Local\atom\app-0.194.0\resources\app.asar\node_modules\space-pen\vendor\jquery.js:4359:46)
</code></pre></div>
<h3 dir="auto">Commands</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" -4:55.5.0 editor:checkout-head-revision (atom-text-editor.editor.is-focused)
2x -3:41.6.0 window:focus-pane-on-right (atom-text-editor.editor)
-3:17.5.0 application:add-project-folder (ol.tree-view.full-menu.list-tree.has-collapsable-children.focusable-panel)
-2:47.4.0 editor:newline (atom-text-editor.editor.is-focused)
-2:38.2.0 core:cut (atom-text-editor.editor)
-2:36.5.0 core:paste (atom-text-editor.editor.is-focused)
-2:26.6.0 core:save (atom-text-editor.editor.is-focused)
-2:20.6.0 core:move-down (atom-text-editor.editor)
-2:20.4.0 autocomplete-plus:confirm (atom-text-editor.editor)
-2:15.8.0 core:save (atom-text-editor.editor)
-2:08.7.0 core:copy (atom-text-editor.editor.is-focused)
-2:01.2.0 core:paste (atom-text-editor.editor.is-focused)
-1:59.7.0 core:save (atom-text-editor.editor.is-focused)
-1:52.2.0 core:paste (atom-text-editor.editor.is-focused)
-1:51.6.0 core:save (atom-text-editor.editor.is-focused)
-1:30.6.0 core:backspace (atom-text-editor.editor)"><pre class="notranslate"><code class="notranslate"> -4:55.5.0 editor:checkout-head-revision (atom-text-editor.editor.is-focused)
2x -3:41.6.0 window:focus-pane-on-right (atom-text-editor.editor)
-3:17.5.0 application:add-project-folder (ol.tree-view.full-menu.list-tree.has-collapsable-children.focusable-panel)
-2:47.4.0 editor:newline (atom-text-editor.editor.is-focused)
-2:38.2.0 core:cut (atom-text-editor.editor)
-2:36.5.0 core:paste (atom-text-editor.editor.is-focused)
-2:26.6.0 core:save (atom-text-editor.editor.is-focused)
-2:20.6.0 core:move-down (atom-text-editor.editor)
-2:20.4.0 autocomplete-plus:confirm (atom-text-editor.editor)
-2:15.8.0 core:save (atom-text-editor.editor)
-2:08.7.0 core:copy (atom-text-editor.editor.is-focused)
-2:01.2.0 core:paste (atom-text-editor.editor.is-focused)
-1:59.7.0 core:save (atom-text-editor.editor.is-focused)
-1:52.2.0 core:paste (atom-text-editor.editor.is-focused)
-1:51.6.0 core:save (atom-text-editor.editor.is-focused)
-1:30.6.0 core:backspace (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="{
"core": {
"ignoredNames": [
"node_modules"
],
"themes": [
"atom-dark-ui",
"seti-syntax"
],
"disabledPackages": [
"Tern"
],
"projectHome": "Y:\\app-tfoumax"
},
"editor": {
"invisibles": {},
"softWrap": true,
"showIndentGuide": true
}
}"><pre class="notranslate">{
<span class="pl-ent">"core"</span>: {
<span class="pl-ent">"ignoredNames"</span>: [
<span class="pl-s"><span class="pl-pds">"</span>node_modules<span class="pl-pds">"</span></span>
],
<span class="pl-ent">"themes"</span>: [
<span class="pl-s"><span class="pl-pds">"</span>atom-dark-ui<span class="pl-pds">"</span></span>,
<span class="pl-s"><span class="pl-pds">"</span>seti-syntax<span class="pl-pds">"</span></span>
],
<span class="pl-ent">"disabledPackages"</span>: [
<span class="pl-s"><span class="pl-pds">"</span>Tern<span class="pl-pds">"</span></span>
],
<span class="pl-ent">"projectHome"</span>: <span class="pl-s"><span class="pl-pds">"</span>Y:<span class="pl-cce">\\</span>app-tfoumax<span class="pl-pds">"</span></span>
},
<span class="pl-ent">"editor"</span>: {
<span class="pl-ent">"invisibles"</span>: {},
<span class="pl-ent">"softWrap"</span>: <span class="pl-c1">true</span>,
<span class="pl-ent">"showIndentGuide"</span>: <span class="pl-c1">true</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
autocomplete-plus, v2.12.0
autocomplete-snippets, v1.2.0
javascript-snippets, v1.0.0
jshint, v1.3.5
language-ejs, v0.1.0
linter, v0.12.1
pretty-json, v0.3.3
save-session, v0.14.0
Search, v0.4.0
seti-syntax, v0.4.0
# Dev
No dev packages"><pre class="notranslate"><span class="pl-c"><span class="pl-c">#</span> User</span>
autocomplete<span class="pl-k">-</span>plus, v2.<span class="pl-ii">12</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>
javascript<span class="pl-k">-</span>snippets, v1.<span class="pl-ii">0</span>.<span class="pl-ii">0</span>
jshint, v1.<span class="pl-ii">3</span>.<span class="pl-ii">5</span>
language<span class="pl-k">-</span>ejs, v0.<span class="pl-ii">1</span>.<span class="pl-ii">0</span>
linter, v0.<span class="pl-ii">12</span>.<span class="pl-ii">1</span>
pretty<span class="pl-k">-</span>json, v0.<span class="pl-ii">3</span>.<span class="pl-ii">3</span>
save<span class="pl-k">-</span>session, v0.<span class="pl-ii">14</span>.<span class="pl-ii">0</span>
Search, v0.<span class="pl-ii">4</span>.<span class="pl-ii">0</span>
seti<span class="pl-k">-</span>syntax, v0.<span class="pl-ii">4</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><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=euxx" rel="nofollow">Eugene Kuleshov</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-1415?redirect=false" rel="nofollow">SPR-1415</a></strong> and commented</p>
<p dir="auto">When implementing session or message-driven EJB's using Spring's convenience EJB classes it would be nice if you can actually define special bean in Spring application context, then when this bean will be requested, it would inject all the dependencies declared in it into the caller. Then user would just add bunch of set* methods and they will be automatically called upon context resolution from the super class (from ejbCreate() method).</p>
<hr>
<p dir="auto"><strong>Issue Links:</strong></p>
<ul dir="auto">
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="398051386" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/5053" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/5053/hovercard" href="https://github.com/spring-projects/spring-framework/issues/5053">#5053</a> EJB's that reference other beans cannot use Dependency Injection (<em><strong>"duplicates"</strong></em>)</li>
</ul> | <p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=youngm" rel="nofollow">Mike Youngstrom</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-7967?redirect=false" rel="nofollow">SPR-7967</a></strong> and commented</p>
<p dir="auto">mvc:annotation-driven is not very configurable. I understand the desire for simplicity here but occationally I have the desire to customize a small aspect of what mvn:annotation-driven does and I end up having to rip out the use of mvc:annotation-driven entirely. So I'm hoping that this feature request can make it into mvc:annotation-driven.</p>
<p dir="auto">My situation is that I'm exposing some services in both XML and Json. It would be great if I could use JaxB annotations on my model objects to expose both.</p>
<p dir="auto">Jackson provides an the JaxbAnnotationIntrospector that supports this but it is not configured by default.</p>
<p dir="auto">It would be great if the mvc:annotation-driven handler could be extended to support some way of setting this introspector on the MappingJacksonHttpMessageConverter.class it creates.</p>
<p dir="auto">Documentation for this Introspector can be found here. <a href="http://wiki.fasterxml.com/JacksonJAXBAnnotations" rel="nofollow">http://wiki.fasterxml.com/JacksonJAXBAnnotations</a></p>
<p dir="auto">I'm thinking perhaps just the ability to specify a custom ObjectMapper would suffice.</p>
<p dir="auto"><mvc:annotation-driven jackson-object-mapper="someObjectMapper"/></p>
<hr>
<p dir="auto"><strong>Affects:</strong> 3.0.5</p> | 0 |
<p dir="auto">Description:<br>
Allow an index level granularity of backing up and restoring of indexes.</p>
<p dir="auto">Use Case:<br>
In a multi-tenant application, where there is an index per tenant, there is often a need to restore an index to a previous "snapshot".<br>
It is even possible that a tenant owner / admin will be allowed to "go back in time" to a previous version of the index.</p>
<p dir="auto">Feature Request:</p>
<ol dir="auto">
<li>Allow a per index backup and restore.</li>
<li>Right after the restore, the newest document in the index should be the newest document in the snapshot we restored from. Documents related to this index in the transaction log or the work folders should be removed.</li>
</ol>
<p dir="auto">A possibly more complicated feature request:<br>
Have an API to define index periodic "save points". e.g. create a save point every 10 minutes.<br>
Have another API to restore an index to a specific save point.<br>
An additional API that would let us list the current available save points.</p>
<p dir="auto">The process of backing up an index to NFS would be:</p>
<ol dir="auto">
<li>Define a periodic snapshot of every X minutes.</li>
<li>Snapshot the NFS every X minutes (with the S3 integration this can be automatic)</li>
</ol>
<p dir="auto">The process of restoring:</p>
<ol dir="auto">
<li>Restore a snapshot from NFS.</li>
<li>List the available snapshots (through API)</li>
<li>Restore to the latest snapshot.<br>
(with S3, this could be nicer: list the available snapshot then retrieve from S3 and restore in one API call)</li>
</ol>
<ul dir="auto">
<li>In the advanced feature request, the periodic mechanism can be left for some external scheduler.</li>
</ul>
<p dir="auto">See also: <a href="http://groups.google.com/a/elasticsearch.com/group/users/browse_thread/thread/fa111bbdcfe5872a/1ce33465200d66e1#1ce33465200d66e1" rel="nofollow">http://groups.google.com/a/elasticsearch.com/group/users/browse_thread/thread/fa111bbdcfe5872a/1ce33465200d66e1#1ce33465200d66e1</a></p> | <p dir="auto">As stated in <a href="https://github.com/elasticsearch/elasticsearch/issues/2458" data-hovercard-type="issue" data-hovercard-url="/elastic/elasticsearch/issues/2458/hovercard">issue 2458</a>, the Shared Gateways are getting deprecated and we will need a new API in order to snapshot ES clusters/indices.</p> | 1 |
<p dir="auto">I'm getting this error in the console when certain components are removed from the DOM. It's calling the method below, which assumes that target is not null and tries to access addEventListener of null object. Should it be checking if (target && target.addEventListener) {...} instead? Are components being removed in an incorrect way that would cause this to happen?</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="/**
* Upstream version of event listener. Does not take into account specific
* nature of platform.
*/
var EventListener = {
/**
* Listen to DOM events during the bubble phase.
*
* @param {DOMEventTarget} target DOM element to register listener on.
* @param {string} eventType Event type, e.g. 'click' or 'mouseover'.
* @param {function} callback Callback function.
* @return {object} Object with a `remove` method.
*/
listen: function (target, eventType, callback) { // target = null, eventType = "click", callback = emptyFunction()
if (target.addEventListener) {
target.addEventListener(eventType, callback, false);
return {
remove: function () {
target.removeEventListener(eventType, callback, false);
}
};
} else if (target.attachEvent) {
target.attachEvent('on' + eventType, callback);
return {
remove: function () {
target.detachEvent('on' + eventType, callback);
}
};
}
}"><pre class="notranslate"><code class="notranslate">/**
* Upstream version of event listener. Does not take into account specific
* nature of platform.
*/
var EventListener = {
/**
* Listen to DOM events during the bubble phase.
*
* @param {DOMEventTarget} target DOM element to register listener on.
* @param {string} eventType Event type, e.g. 'click' or 'mouseover'.
* @param {function} callback Callback function.
* @return {object} Object with a `remove` method.
*/
listen: function (target, eventType, callback) { // target = null, eventType = "click", callback = emptyFunction()
if (target.addEventListener) {
target.addEventListener(eventType, callback, false);
return {
remove: function () {
target.removeEventListener(eventType, callback, false);
}
};
} else if (target.attachEvent) {
target.attachEvent('on' + eventType, callback);
return {
remove: function () {
target.detachEvent('on' + eventType, callback);
}
};
}
}
</code></pre></div> | <p dir="auto">Hello,</p>
<p dir="auto">After updating to React 15.0.1, we are getting the following error:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Uncaught TypeError: Cannot read property 'addEventListener' of null"><pre class="notranslate"><code class="notranslate">Uncaught TypeError: Cannot read property 'addEventListener' of null
</code></pre></div>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/4996164/14602577/5bb4e9f2-0571-11e6-9aa1-98de49f50d76.png"><img src="https://cloud.githubusercontent.com/assets/4996164/14602577/5bb4e9f2-0571-11e6-9aa1-98de49f50d76.png" alt="image" style="max-width: 100%;"></a></p> | 1 |
<p dir="auto">Setting the font family to "Source Code Pro Light" causes Atom to use the default font, even though I have this font installed.</p> | <p dir="auto">There is no way to specify a font weight in the project settings that I can find. I tend to like using this font for coding:<br>
<a href="http://www.lucasfonts.com/fonts/themixmono/themixmono/styles/" rel="nofollow">http://www.lucasfonts.com/fonts/themixmono/themixmono/styles/</a></p>
<p dir="auto">But I cannot seem to find a way to use a lighter or heavier weight than the default.</p> | 1 |
<p dir="auto">Looks like currently we dont add alias name to slow query logs, Also I doubt if it adds the filter used in alias as well .</p>
<p dir="auto">May be we need to update -> <a href="https://github.com/elastic/elasticsearch/blob/master/src/main/java/org/elasticsearch/index/search/slowlog/ShardSlowLogSearchService.java#L185">https://github.com/elastic/elasticsearch/blob/master/src/main/java/org/elasticsearch/index/search/slowlog/ShardSlowLogSearchService.java#L185</a> and add alias name + Context.aliasFilter ?</p> | <p dir="auto">When using filtered aliases filtered by type, it will be helpful for slowlog to report the types queried. Currently, it returns <code class="notranslate">types[]</code>.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="POST /_aliases
{
"actions": [
{
"add": {
"index": "index_name",
"alias": "slowlogalias",
"filter": {
"term": {
"_type": "doc_type"
}
}
}
}
]
}"><pre class="notranslate"><code class="notranslate">POST /_aliases
{
"actions": [
{
"add": {
"index": "index_name",
"alias": "slowlogalias",
"filter": {
"term": {
"_type": "doc_type"
}
}
}
}
]
}
</code></pre></div> | 1 |
<p dir="auto">When adding components with events to a popover, they are rendered correctly, however no actions (clicks, hovers) are triggered.</p>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/mui-org/material-ui/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h2 dir="auto">Expected Behavior</h2>
<p dir="auto">Similar to the example presented in the demos (<a href="https://material-ui.com/demos/popovers/" rel="nofollow">https://material-ui.com/demos/popovers/</a>),<br>
adding content (children) to MUI's popover should let their events to keep being registered like when using React-popper.</p>
<h2 dir="auto">Current Behavior</h2>
<p dir="auto">MUI's Popover content is rendered but its children events are not registered. The popover is not clickable, or selectable using devtools.</p>
<h2 dir="auto">Steps to Reproduce (for bugs)</h2>
<p dir="auto">In this sandbox, <a href="https://codesandbox.io/s/2p7k49z80r" rel="nofollow">https://codesandbox.io/s/2p7k49z80r</a>:</p>
<ol dir="auto">
<li>Hover the first line</li>
<li>click on the popover, nothing is logged (the issue).</li>
<li>Hover the second line</li>
<li>click on the popover, some text is logged is printed in the console (as expected).</li>
</ol>
<h2 dir="auto">Context</h2>
<p dir="auto">I am trying to render a menu within the popover to collect some user selections, and syncing the popover mouseover events to keep it open if the user is interacting with it.</p>
<h2 dir="auto">Your Environment</h2>
<table role="table">
<thead>
<tr>
<th>Tech</th>
<th>Version</th>
</tr>
</thead>
<tbody>
<tr>
<td>Material-UI</td>
<td>v1.0.0-beta.27</td>
</tr>
<tr>
<td>React</td>
<td>^15.6.2</td>
</tr>
<tr>
<td>browser</td>
<td>Chrome 65.0.3314.0 (Official Build) canary (64-bit)</td>
</tr>
<tr>
<td>etc</td>
<td></td>
</tr>
</tbody>
</table> | <p dir="auto">The Select form component uses the Input's "isDirty()" function to determine if it should be marked as dirty, which does not mark the field as dirty if you select a blank value. The select field is using logic on this line: <a href="https://github.com/mui-org/material-ui/blob/v1-beta/src/Input/Input.js#L32">https://github.com/mui-org/material-ui/blob/v1-beta/src/Input/Input.js#L32</a> .</p>
<p dir="auto">I know that Angular's usage of "dirty" means 'has the form changed?', not "Determine if field is dirty (a.k.a. filled).", so it's confusing to see a different usage of dirty by the MaterialUI library.</p>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/callemall/material-ui/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h2 dir="auto">Expected Behavior</h2>
<p dir="auto">I expect any field to be marked as dirty if it changed from the original values. If I loaded the page and a non-blank value was selected in the Select field, and I change it to a value that equals "", it should mark the field as dirty since it changed (regardless of what value it changed to, as long as it is different).</p>
<h2 dir="auto">Current Behavior</h2>
<p dir="auto">If I change the Select's value to a MenuItem whose value="", it marks the field as not dirty. This is causing the label to unshrink and cover the field's displayed value. To get around this, I have to force the property so it doesn't care about the field's dirty flag.</p>
<h2 dir="auto">Steps to Reproduce (for bugs)</h2>
<p dir="auto">Demo of bug: <a href="https://codesandbox.io/s/l7z7on8y5m" rel="nofollow">https://codesandbox.io/s/l7z7on8y5m</a></p>
<ol dir="auto">
<li>Create a Select field with MenuItems</li>
<li>Set "displayEmpty" in select field</li>
<li>Have one MenuItem with value="" and label 'None'.</li>
<li>With an initial Select field value other than "", choose the "None" option, and watch as the InputLabel unshrinks and covers the value in the field.</li>
</ol>
<h2 dir="auto">Context</h2>
<h2 dir="auto">Your Environment</h2>
<table role="table">
<thead>
<tr>
<th>Tech</th>
<th>Version</th>
</tr>
</thead>
<tbody>
<tr>
<td>Material-UI</td>
<td>1.0.0-beta.21</td>
</tr>
<tr>
<td>React</td>
<td>16.0.0</td>
</tr>
<tr>
<td>browser</td>
<td>Chrome 62.0.3202.94</td>
</tr>
<tr>
<td>etc</td>
<td>Mac</td>
</tr>
</tbody>
</table> | 0 |
<p dir="auto">Related to <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="9645298" data-permission-text="Title is private" data-url="https://github.com/psf/requests/issues/1083" data-hovercard-type="issue" data-hovercard-url="/psf/requests/issues/1083/hovercard" href="https://github.com/psf/requests/issues/1083">#1083</a>, perhaps. Standard <code class="notranslate">requests.get()</code> for this particular site/page <code class="notranslate">https://docs.apitools.com/2014/04/24/a-small-router-for-openresty.html</code> results in:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=">>> import requests
>>> requests.get('https://docs.apitools.com/2014/04/24/a-small-router-for-openresty.html')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/api.py", line 55, in get
return request('get', url, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/api.py", line 44, in request
return session.request(method=method, url=url, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 383, in request
resp = self.send(prep, **send_kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 486, in send
r = adapter.send(request, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/adapters.py", line 385, in send
raise SSLError(e)
requests.exceptions.SSLError: [Errno 1] _ssl.c:504: error:14077410:SSL routines:SSL23_GET_SERVER_HELLO:sslv3 alert handshake failure"><pre class="notranslate"><code class="notranslate">>>> import requests
>>> requests.get('https://docs.apitools.com/2014/04/24/a-small-router-for-openresty.html')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/api.py", line 55, in get
return request('get', url, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/api.py", line 44, in request
return session.request(method=method, url=url, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 383, in request
resp = self.send(prep, **send_kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 486, in send
r = adapter.send(request, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/adapters.py", line 385, in send
raise SSLError(e)
requests.exceptions.SSLError: [Errno 1] _ssl.c:504: error:14077410:SSL routines:SSL23_GET_SERVER_HELLO:sslv3 alert handshake failure
</code></pre></div>
<p dir="auto">Using <code class="notranslate">request-toolbelt</code>'s <code class="notranslate">SSLAdapter</code> to try various ssl versions, they all fail, it would seem... see following tracebacks.</p>
<p dir="auto">TLSv1:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=">>> adapter = SSLAdapter('TLSv1')
>>> s = requests.Session()
>>> s.mount('https://', adapter)
>>> s.get('https://docs.apitools.com/2014/04/24/a-small-router-for-openresty.html')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 395, in get
return self.request('GET', url, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 383, in request
resp = self.send(prep, **send_kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 486, in send
r = adapter.send(request, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/adapters.py", line 385, in send
raise SSLError(e)
requests.exceptions.SSLError: [Errno 1] _ssl.c:504: error:14094410:SSL routines:SSL3_READ_BYTES:sslv3 alert handshake failure"><pre class="notranslate"><code class="notranslate">>>> adapter = SSLAdapter('TLSv1')
>>> s = requests.Session()
>>> s.mount('https://', adapter)
>>> s.get('https://docs.apitools.com/2014/04/24/a-small-router-for-openresty.html')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 395, in get
return self.request('GET', url, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 383, in request
resp = self.send(prep, **send_kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 486, in send
r = adapter.send(request, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/adapters.py", line 385, in send
raise SSLError(e)
requests.exceptions.SSLError: [Errno 1] _ssl.c:504: error:14094410:SSL routines:SSL3_READ_BYTES:sslv3 alert handshake failure
</code></pre></div>
<p dir="auto">SSLv3:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=">>> adapter = SSLAdapter('SSLv3')
>>> s = requests.Session()
>>> s.mount('https://', adapter)
>>> s.get('https://docs.apitools.com/2014/04/24/a-small-router-for-openresty.html')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 395, in get
return self.request('GET', url, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 383, in request
resp = self.send(prep, **send_kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 486, in send
r = adapter.send(request, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/adapters.py", line 385, in send
raise SSLError(e)
requests.exceptions.SSLError: [Errno 1] _ssl.c:504: error:14094410:SSL routines:SSL3_READ_BYTES:sslv3 alert handshake failure"><pre class="notranslate"><code class="notranslate">>>> adapter = SSLAdapter('SSLv3')
>>> s = requests.Session()
>>> s.mount('https://', adapter)
>>> s.get('https://docs.apitools.com/2014/04/24/a-small-router-for-openresty.html')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 395, in get
return self.request('GET', url, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 383, in request
resp = self.send(prep, **send_kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 486, in send
r = adapter.send(request, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/adapters.py", line 385, in send
raise SSLError(e)
requests.exceptions.SSLError: [Errno 1] _ssl.c:504: error:14094410:SSL routines:SSL3_READ_BYTES:sslv3 alert handshake failure
</code></pre></div>
<p dir="auto">SSLv2:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=">>> adapter = SSLAdapter('SSLv2')
>>> s = requests.Session()
>>> s.mount('https://', adapter)
>>> s.get('https://docs.apitools.com/2014/04/24/a-small-router-for-openresty.html')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 395, in get
return self.request('GET', url, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 383, in request
resp = self.send(prep, **send_kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 486, in send
r = adapter.send(request, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/adapters.py", line 378, in send
raise ConnectionError(e)
requests.exceptions.ConnectionError: HTTPSConnectionPool(host='docs.apitools.com', port=443): Max retries exceeded with url: /2014/04/24/a-small-router-for-openresty.html (Caused by <class 'socket.error'>: [Errno 54] Connection reset by peer)"><pre class="notranslate"><code class="notranslate">>>> adapter = SSLAdapter('SSLv2')
>>> s = requests.Session()
>>> s.mount('https://', adapter)
>>> s.get('https://docs.apitools.com/2014/04/24/a-small-router-for-openresty.html')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 395, in get
return self.request('GET', url, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 383, in request
resp = self.send(prep, **send_kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 486, in send
r = adapter.send(request, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/adapters.py", line 378, in send
raise ConnectionError(e)
requests.exceptions.ConnectionError: HTTPSConnectionPool(host='docs.apitools.com', port=443): Max retries exceeded with url: /2014/04/24/a-small-router-for-openresty.html (Caused by <class 'socket.error'>: [Errno 54] Connection reset by peer)
</code></pre></div>
<p dir="auto">Note the last one gives a <code class="notranslate">Connection reset by peer</code> error, which differs from the others, but I'm pretty sure SSLv2 isn't supported by the server anyhow.</p>
<p dir="auto">For fun, I tried to pass through some more appropriate headers through on the last request as well:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=">>> headers = {
... 'Accept': u"text/html,application/xhtml+xml,application/xml",
... 'User-Agent': u"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_9_2) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/34.0.1847.131 Safari/537.36",
... 'Accept-Encoding': u"gzip,deflate",
... 'Accept-Language': u"en-US,en;q=0.8"
... }
>>> adapter = SSLAdapter('SSLv2')
>>> s = requests.Session()
>>> s.mount('https://', adapter)
>>> s.get('https://docs.apitools.com/2014/04/24/a-small-router-for-openresty.html', headers=headers)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 395, in get
return self.request('GET', url, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 383, in request
resp = self.send(prep, **send_kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 486, in send
r = adapter.send(request, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/adapters.py", line 378, in send
raise ConnectionError(e)
requests.exceptions.ConnectionError: HTTPSConnectionPool(host='docs.apitools.com', port=443): Max retries exceeded with url: /2014/04/24/a-small-router-for-openresty.html (Caused by <class 'socket.error'>: [Errno 54] Connection reset by peer)"><pre class="notranslate"><code class="notranslate">>>> headers = {
... 'Accept': u"text/html,application/xhtml+xml,application/xml",
... 'User-Agent': u"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_9_2) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/34.0.1847.131 Safari/537.36",
... 'Accept-Encoding': u"gzip,deflate",
... 'Accept-Language': u"en-US,en;q=0.8"
... }
>>> adapter = SSLAdapter('SSLv2')
>>> s = requests.Session()
>>> s.mount('https://', adapter)
>>> s.get('https://docs.apitools.com/2014/04/24/a-small-router-for-openresty.html', headers=headers)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 395, in get
return self.request('GET', url, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 383, in request
resp = self.send(prep, **send_kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/sessions.py", line 486, in send
r = adapter.send(request, **kwargs)
File "/Users/jaddison/.virtualenvs/techtown/lib/python2.7/site-packages/requests/adapters.py", line 378, in send
raise ConnectionError(e)
requests.exceptions.ConnectionError: HTTPSConnectionPool(host='docs.apitools.com', port=443): Max retries exceeded with url: /2014/04/24/a-small-router-for-openresty.html (Caused by <class 'socket.error'>: [Errno 54] Connection reset by peer)
</code></pre></div>
<p dir="auto">No dice there either. Here's what the HTTPS connection info in Chrome on Mac looks like:</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/101148/2809354/44aa40b4-cd69-11e3-88f1-fabf089fe238.png"><img src="https://cloud.githubusercontent.com/assets/101148/2809354/44aa40b4-cd69-11e3-88f1-fabf089fe238.png" alt="screen shot 2014-04-26 at 10 35 21 am" style="max-width: 100%;"></a></p>
<p dir="auto">I'm not positive, but some googling indicates it's likely a cipher list issue, which is more urllib3, I think?</p>
<p dir="auto">I tried to modify <code class="notranslate">DEFAULT_CIPHER_LIST</code> in <code class="notranslate">pyopenssl</code>, but started running into import errors. At this point it seemed like things were just broken, and there wasn't really a proper way to approach fixing this yet.</p>
<p dir="auto">Version information:<br>
OSX Mavericks<br>
Python 2.7.5<br>
OpenSSL 0.9.8y 5 Feb 2013 - (from <code class="notranslate">python -c "import ssl; print ssl.OPENSSL_VERSION"</code>)<br>
requests 2.2.1<br>
requests-toolbelt 0.2.0<br>
urllib3 1.8</p> | <p dir="auto">Many web servers use the Host header to match different sites, probably the most important HTTP header.</p>
<p dir="auto">There is no Host entry in the response.request.headers, unless set explicitly when issuing the request.</p> | 0 |
<p dir="auto">Here's my code and uses cases: <a href="https://gist.github.com/1018025">https://gist.github.com/1018025</a></p>
<p dir="auto">Basically I'm forced to do:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$em->persist($user);
foreach ($user->getAdvertisers() as $advertiser) {
$advertiser->setUser($user);
$em->persist($advertiser);
}
$em->flush();"><pre class="notranslate"><code class="notranslate">$em->persist($user);
foreach ($user->getAdvertisers() as $advertiser) {
$advertiser->setUser($user);
$em->persist($advertiser);
}
$em->flush();
</code></pre></div>
<p dir="auto">Instead of simply:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$em->persist($user);
$em->flush();"><pre class="notranslate"><code class="notranslate">$em->persist($user);
$em->flush();
</code></pre></div>
<p dir="auto">... even when I'm setting the cascade to persist.</p>
<p dir="auto">I'm able to do so in ManyToOne relations..</p>
<p dir="auto">IE. Each Advertiser can have multiple Offers.. so my OfferType is:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="public function buildForm(FormBuilder $builder, array $options)
{
$builder
->add('advertiser')
->add('name')
->add('postUrl')
->add('dailyCap')
->add('active');
}
public function getDefaultOptions(array $options)
{
return array(
'data_class' => 'ZGOffers\MainBundle\Entity\Offer'
);
}"><pre class="notranslate"><code class="notranslate">public function buildForm(FormBuilder $builder, array $options)
{
$builder
->add('advertiser')
->add('name')
->add('postUrl')
->add('dailyCap')
->add('active');
}
public function getDefaultOptions(array $options)
{
return array(
'data_class' => 'ZGOffers\MainBundle\Entity\Offer'
);
}
</code></pre></div>
<p dir="auto">This does what i expected it to -- create a form with a select of Advertisers, validating, then save:</p>
<p dir="auto">$em->persist($offer);<br>
$em->flush();</p>
<p dir="auto">instead of:</p>
<p dir="auto">$em->persist($offer);<br>
$advertiser = $offer->getAdvertiser();<br>
$em->persist($advertiser);<br>
$em->flush();</p>
<p dir="auto">Like I basically have to in my UserType form.</p>
<p dir="auto">Why don't the advertisers persist?</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/symfony/symfony/blob/2aa54b8cbd43fdbe9c2116afd2c47d50f7fa3c34/src/Symfony/Component/Finder/Finder.php#L635-L641">symfony/src/Symfony/Component/Finder/Finder.php</a>
</p>
<p class="mb-0 color-fg-muted">
Lines 635 to 641
in
<a data-pjax="true" class="commit-tease-sha" href="/symfony/symfony/commit/2aa54b8cbd43fdbe9c2116afd2c47d50f7fa3c34">2aa54b8</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="L635" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="635"></td>
<td id="LC635" 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-smi"><span class="pl-k">static</span></span>::<span class="pl-c1">IGNORE_VCS_FILES</span> === (<span class="pl-smi"><span class="pl-k">static</span></span>::<span class="pl-c1">IGNORE_VCS_FILES</span> & <span class="pl-s1"><span class="pl-c1">$</span><span class="pl-smi">this</span></span>-><span class="pl-c1">ignore</span>)) { </td>
</tr>
<tr class="border-0">
<td id="L636" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="636"></td>
<td id="LC636" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-s1"><span class="pl-c1">$</span><span class="pl-smi">this</span></span>-><span class="pl-c1">exclude</span> = array_merge(<span class="pl-s1"><span class="pl-c1">$</span><span class="pl-smi">this</span></span>-><span class="pl-c1">exclude</span>, <span class="pl-smi">self</span>::<span class="pl-s1"><span class="pl-c1">$</span>vcsPatterns</span>); </td>
</tr>
<tr class="border-0">
<td id="L637" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="637"></td>
<td id="LC637" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> } </td>
</tr>
<tr class="border-0">
<td id="L638" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="638"></td>
<td id="LC638" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> </td>
</tr>
<tr class="border-0">
<td id="L639" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="639"></td>
<td id="LC639" 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-smi"><span class="pl-k">static</span></span>::<span class="pl-c1">IGNORE_DOT_FILES</span> === (<span class="pl-smi"><span class="pl-k">static</span></span>::<span class="pl-c1">IGNORE_DOT_FILES</span> & <span class="pl-s1"><span class="pl-c1">$</span><span class="pl-smi">this</span></span>-><span class="pl-c1">ignore</span>)) { </td>
</tr>
<tr class="border-0">
<td id="L640" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="640"></td>
<td id="LC640" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-s1"><span class="pl-c1">$</span><span class="pl-smi">this</span></span>-><span class="pl-c1">notPaths</span>[] = <span class="pl-s">'#(^|/)\..+(/|$)#'</span>; </td>
</tr>
<tr class="border-0">
<td id="L641" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="641"></td>
<td id="LC641" 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">Perhaps the above judgment should be moved here: LINE 562 ?</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/symfony/symfony/blob/2aa54b8cbd43fdbe9c2116afd2c47d50f7fa3c34/src/Symfony/Component/Finder/Finder.php#L559-L565">symfony/src/Symfony/Component/Finder/Finder.php</a>
</p>
<p class="mb-0 color-fg-muted">
Lines 559 to 565
in
<a data-pjax="true" class="commit-tease-sha" href="/symfony/symfony/commit/2aa54b8cbd43fdbe9c2116afd2c47d50f7fa3c34">2aa54b8</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="L559" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="559"></td>
<td id="LC559" 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-c1">0</span> === count(<span class="pl-s1"><span class="pl-c1">$</span><span class="pl-smi">this</span></span>-><span class="pl-c1">dirs</span>) && <span class="pl-c1">0</span> === count(<span class="pl-s1"><span class="pl-c1">$</span><span class="pl-smi">this</span></span>-><span class="pl-c1">iterators</span>)) { </td>
</tr>
<tr class="border-0">
<td id="L560" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="560"></td>
<td id="LC560" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> <span class="pl-k">throw</span> <span class="pl-k">new</span> \<span class="pl-v">LogicException</span>(<span class="pl-s">'You must call one of in() or append() methods before iterating over a Finder.'</span>); </td>
</tr>
<tr class="border-0">
<td id="L561" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="561"></td>
<td id="LC561" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> } </td>
</tr>
<tr class="border-0">
<td id="L562" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="562"></td>
<td id="LC562" class="blob-code border-0 px-3 py-0 color-bg-default blob-code-inner js-file-line"> </td>
</tr>
<tr class="border-0">
<td id="L563" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="563"></td>
<td id="LC563" 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-c1">1</span> === count(<span class="pl-s1"><span class="pl-c1">$</span><span class="pl-smi">this</span></span>-><span class="pl-c1">dirs</span>) && <span class="pl-c1">0</span> === count(<span class="pl-s1"><span class="pl-c1">$</span><span class="pl-smi">this</span></span>-><span class="pl-c1">iterators</span>)) { </td>
</tr>
<tr class="border-0">
<td id="L564" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="564"></td>
<td id="LC564" 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"><span class="pl-c1">$</span><span class="pl-smi">this</span></span>-><span class="pl-en">searchInDirectory</span>(<span class="pl-s1"><span class="pl-c1">$</span><span class="pl-smi">this</span></span>-><span class="pl-c1">dirs</span>[<span class="pl-c1">0</span>]); </td>
</tr>
<tr class="border-0">
<td id="L565" class="blob-num border-0 px-3 py-0 color-bg-default" data-line-number="565"></td>
<td id="LC565" 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> | 0 |
<p dir="auto">Looking at the web profiler in Silex I saw</p>
<blockquote>
<p dir="auto"><strong>Notice</strong>: Undefined offset: 1 in <strong>/srv/http/tronatic-studio.com/vendor/symfony/http-kernel/DataCollector/RequestDataCollector.php</strong> on line <strong>280</strong></p>
<p dir="auto"><strong>Warning</strong>: Invalid argument supplied for foreach() in <strong>/srv/http/tronatic-studio.com/vendor/symfony/http-kernel/DataCollector/RequestDataCollector.php</strong> on line <strong>280</strong></p>
</blockquote>
<p dir="auto">under <strong>Route Parameters</strong>.</p>
<p dir="auto"><a href="https://github.com/symfony/symfony/blob/master/src/Symfony/Component/HttpKernel/DataCollector/RequestDataCollector.php#L280">https://github.com/symfony/symfony/blob/master/src/Symfony/Component/HttpKernel/DataCollector/RequestDataCollector.php#L280</a></p>
<p dir="auto">The matching route didn't have any parameter.</p>
<p dir="auto">Don't know why <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/symfony/symfony/commit/2e404d07021d4c01f9ca831a7bb222efc15bed70/hovercard" href="https://github.com/symfony/symfony/commit/2e404d07021d4c01f9ca831a7bb222efc15bed70"><tt>2e404d0</tt></a> introduced this.</p>
<p dir="auto">Dumping <code class="notranslate">$data->getRawData()</code> shows</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="array(1) { [0]=> array(1) { [0]=> array(0) { } } } "><pre class="notranslate"><code class="notranslate">array(1) { [0]=> array(1) { [0]=> array(0) { } } }
</code></pre></div> | <p dir="auto">Steps to reproduce:</p>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="symfony new symfony-app 3.2.0-RC2
cd symfony-app
bin/console s:start
open http://127.0.0.1:8000
open http://127.0.0.1:8000/_profiler/{token}?panel=router"><pre class="notranslate">symfony new symfony-app 3.2.0-RC2
<span class="pl-c1">cd</span> symfony-app
bin/console s:start
open http://127.0.0.1:8000
open http://127.0.0.1:8000/_profiler/{token}<span class="pl-k">?</span>panel=router</pre></div>
<p dir="auto">The exception:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="An exception has been thrown during the rendering of a template ("Notice: Undefined offset: 1") in @WebProfiler/Router/panel.html.twig at line 20."><pre class="notranslate"><code class="notranslate">An exception has been thrown during the rendering of a template ("Notice: Undefined offset: 1") in @WebProfiler/Router/panel.html.twig at line 20.
</code></pre></div>
<p dir="auto">And the <code class="notranslate">ContextErrorException</code> points to <code class="notranslate">vendor/symfony/symfony/src/Symfony/Component/HttpKernel/DataCollector/RequestDataCollector.php:280</code>.</p> | 1 |
<p dir="auto">On PPC this test fails as reported in <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="165624414" data-permission-text="Title is private" data-url="https://github.com/numpy/numpy/issues/7836" data-hovercard-type="issue" data-hovercard-url="/numpy/numpy/issues/7836/hovercard" href="https://github.com/numpy/numpy/issues/7836">#7836</a></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" o = 1 + np.finfo(np.longdouble).eps
assert_equal(np.longdouble(repr(o)), o,
"repr was %s" % repr(o))"><pre class="notranslate"><code class="notranslate"> o = 1 + np.finfo(np.longdouble).eps
assert_equal(np.longdouble(repr(o)), o,
"repr was %s" % repr(o))
</code></pre></div>
<p dir="auto">with</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="
AssertionError:
Items are not equal: repr was 1.0
ACTUAL: 1.0
DESIRED: 1.0"><pre class="notranslate"><code class="notranslate">
AssertionError:
Items are not equal: repr was 1.0
ACTUAL: 1.0
DESIRED: 1.0
</code></pre></div>
<p dir="auto">Among other things, probably finfo, it looks like repr does not have sufficient digits.</p> | <p dir="auto"><em>Original ticket <a href="http://projects.scipy.org/numpy/ticket/2077" rel="nofollow">http://projects.scipy.org/numpy/ticket/2077</a> on 2012-03-10 by <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/matthew-brett/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/matthew-brett">@matthew-brett</a>, assigned to unknown.</em></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [1]: import numpy as np
In [2]: print np.finfo(np.longdouble)
/Users/mb312/dev_trees/numpy/numpy/core/machar.py:125: RuntimeWarning: overflow encountered in add
a = a + a
/Users/mb312/dev_trees/numpy/numpy/core/machar.py:127: RuntimeWarning: invalid value encountered in subtract
temp1 = temp - a
/Users/mb312/dev_trees/numpy/numpy/core/machar.py:136: RuntimeWarning: invalid value encountered in subtract
itemp = int_conv(temp-a)
/Users/mb312/dev_trees/numpy/numpy/core/machar.py:160: RuntimeWarning: overflow encountered in add
a = a + a
/Users/mb312/dev_trees/numpy/numpy/core/machar.py:162: RuntimeWarning: invalid value encountered in subtract
temp1 = temp - a
/Users/mb312/dev_trees/numpy/numpy/core/machar.py:169: RuntimeWarning: invalid value encountered in subtract
if any(temp-a != zero):
Machine parameters for float128
---------------------------------------------------------------------
precision= 75 resolution= 1e-75
machep= -4 eps= 1.3817869701e-76
negep = -4 epsneg= 1.3817869701e-76
minexp= -1 tiny= -1.08420217274e-19
maxexp= 1 max= -9.22337203471e+18
nexp = 1 min= -max
---------------------------------------------------------------------
In [3]: print np.finfo(np.longdouble).nmant
1
In [4]: np.__version__
Out[4]: '1.7.0.dev-aae5b0a'"><pre class="notranslate"><code class="notranslate">In [1]: import numpy as np
In [2]: print np.finfo(np.longdouble)
/Users/mb312/dev_trees/numpy/numpy/core/machar.py:125: RuntimeWarning: overflow encountered in add
a = a + a
/Users/mb312/dev_trees/numpy/numpy/core/machar.py:127: RuntimeWarning: invalid value encountered in subtract
temp1 = temp - a
/Users/mb312/dev_trees/numpy/numpy/core/machar.py:136: RuntimeWarning: invalid value encountered in subtract
itemp = int_conv(temp-a)
/Users/mb312/dev_trees/numpy/numpy/core/machar.py:160: RuntimeWarning: overflow encountered in add
a = a + a
/Users/mb312/dev_trees/numpy/numpy/core/machar.py:162: RuntimeWarning: invalid value encountered in subtract
temp1 = temp - a
/Users/mb312/dev_trees/numpy/numpy/core/machar.py:169: RuntimeWarning: invalid value encountered in subtract
if any(temp-a != zero):
Machine parameters for float128
---------------------------------------------------------------------
precision= 75 resolution= 1e-75
machep= -4 eps= 1.3817869701e-76
negep = -4 epsneg= 1.3817869701e-76
minexp= -1 tiny= -1.08420217274e-19
maxexp= 1 max= -9.22337203471e+18
nexp = 1 min= -max
---------------------------------------------------------------------
In [3]: print np.finfo(np.longdouble).nmant
1
In [4]: np.__version__
Out[4]: '1.7.0.dev-aae5b0a'
</code></pre></div>
<p dir="auto">I think the correct answers for nexp, nmant are 11, 106 respectively; see:<br>
<a href="https://developer.apple.com/library/mac/#documentation/Darwin/Reference/Manpages/man3/float.3.html" rel="nofollow">https://developer.apple.com/library/mac/#documentation/Darwin/Reference/Manpages/man3/float.3.html</a></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="(np-devel)[mb312@jerry ~]$ uname -a
Darwin jerry.bic.berkeley.edu 8.11.0 Darwin Kernel Version 8.11.0: Wed Oct 10 18:26:00 PDT 2007; root:xnu-792.24.17~1/RELEASE_PPC Power Macintosh powerpc
(np-devel)[mb312@jerry ~]$ gcc -v
Using built-in specs.
Target: powerpc-apple-darwin8
Configured with: /var/tmp/gcc/gcc-5370~2/src/configure --disable-checking -enable-werror --prefix=/usr --mandir=/share/man --enable-languages=c,objc,c++,obj-c++ --program-transform-name=/^[cg][^.-]*$/s/$/-4.0/ --with-gxx-include-dir=/include/c++/4.0.0 --with-slibdir=/usr/lib --build=powerpc-apple-darwin8 --host=powerpc-apple-darwin8 --target=powerpc-apple-darwin8
Thread model: posix
gcc version 4.0.1 (Apple Computer, Inc. build 5370)"><pre class="notranslate"><code class="notranslate">(np-devel)[mb312@jerry ~]$ uname -a
Darwin jerry.bic.berkeley.edu 8.11.0 Darwin Kernel Version 8.11.0: Wed Oct 10 18:26:00 PDT 2007; root:xnu-792.24.17~1/RELEASE_PPC Power Macintosh powerpc
(np-devel)[mb312@jerry ~]$ gcc -v
Using built-in specs.
Target: powerpc-apple-darwin8
Configured with: /var/tmp/gcc/gcc-5370~2/src/configure --disable-checking -enable-werror --prefix=/usr --mandir=/share/man --enable-languages=c,objc,c++,obj-c++ --program-transform-name=/^[cg][^.-]*$/s/$/-4.0/ --with-gxx-include-dir=/include/c++/4.0.0 --with-slibdir=/usr/lib --build=powerpc-apple-darwin8 --host=powerpc-apple-darwin8 --target=powerpc-apple-darwin8
Thread model: posix
gcc version 4.0.1 (Apple Computer, Inc. build 5370)
</code></pre></div> | 1 |
<p dir="auto"><strong>Now-2</strong> and <strong><a class="issue-link js-issue-link notranslate" rel="noopener noreferrer nofollow" href="https://linear.app/vercel/issue/NEXT-8">Next-8</a></strong> require us to drop <code class="notranslate">server.js</code>-based approach to serve SSR in production, and replace it with lambdas and route configs. I fully understand the reasoning behind this and I don't question it. Hovewer, the <code class="notranslate">server.js</code> file was useful not only to apply routing but to inject middlewares! Middlewares were necessary, for example, to fix a bunch of annoying problems with React.</p>
<ol dir="auto">
<li>React title encodes HTML entities</li>
</ol>
<p dir="auto"><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="369521758" data-permission-text="Title is private" data-url="https://github.com/facebook/react/issues/13838" data-hovercard-type="issue" data-hovercard-url="/facebook/react/issues/13838/hovercard" href="https://github.com/facebook/react/issues/13838">facebook/react#13838</a><br>
<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="76405731" data-permission-text="Title is private" data-url="https://github.com/facebook/react/issues/3879" data-hovercard-type="issue" data-hovercard-url="/facebook/react/issues/3879/hovercard" href="https://github.com/facebook/react/issues/3879">facebook/react#3879</a></p>
<p dir="auto">See fix-1 below.</p>
<ol start="2" dir="auto">
<li>Linebreaks in meta tags and stuff like that</li>
</ol>
<p dir="auto">See fix-2 below.</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import Express from "express"
import Interceptor from "express-interceptor"
import {AllHtmlEntities} from "html-entities"
let ent = new AllHtmlEntities()
let metaContentFixer = Interceptor((req, res) => ({
isInterceptable() {
return /text\/html/.test(res.get("Content-Type"))
},
intercept(body, send) {
send(normalizeHTML(body.toString()))
}
}))
app
.prepare()
.then(() => {
let server = Express()
server.use(metaContentFixer)
...
})
function normalizeHTML(html) {
return html
// Fix SEO title
.replace(/<title[^>]*>([^<]*)<\/title>/, (match, content) => {
return match.replace(content, ent.decode(content))
}) // fix-1
// Remove linebreaks in meta contents
.replace(/content="([^"]+)"/g, (match, content) => {
return `content="${ent.decode(content).replace(/(\r\n|\n|\r)+/g, " ")}"`
}) // fix-2
}"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-v">Express</span> <span class="pl-k">from</span> <span class="pl-s">"express"</span>
<span class="pl-k">import</span> <span class="pl-v">Interceptor</span> <span class="pl-k">from</span> <span class="pl-s">"express-interceptor"</span>
<span class="pl-k">import</span> <span class="pl-kos">{</span><span class="pl-v">AllHtmlEntities</span><span class="pl-kos">}</span> <span class="pl-k">from</span> <span class="pl-s">"html-entities"</span>
<span class="pl-k">let</span> <span class="pl-s1">ent</span> <span class="pl-c1">=</span> <span class="pl-k">new</span> <span class="pl-v">AllHtmlEntities</span><span class="pl-kos">(</span><span class="pl-kos">)</span>
<span class="pl-k">let</span> <span class="pl-s1">metaContentFixer</span> <span class="pl-c1">=</span> <span class="pl-v">Interceptor</span><span class="pl-kos">(</span><span class="pl-kos">(</span><span class="pl-s1">req</span><span class="pl-kos">,</span> <span class="pl-s1">res</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-kos">(</span><span class="pl-kos">{</span>
<span class="pl-en">isInterceptable</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">return</span> <span class="pl-pds"><span class="pl-c1">/</span>text<span class="pl-cce">\/</span>html<span class="pl-c1">/</span></span><span class="pl-kos">.</span><span class="pl-en">test</span><span class="pl-kos">(</span><span class="pl-s1">res</span><span class="pl-kos">.</span><span class="pl-en">get</span><span class="pl-kos">(</span><span class="pl-s">"Content-Type"</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">intercept</span><span class="pl-kos">(</span><span class="pl-s1">body</span><span class="pl-kos">,</span> <span class="pl-s1">send</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-s1">send</span><span class="pl-kos">(</span><span class="pl-en">normalizeHTML</span><span class="pl-kos">(</span><span class="pl-s1">body</span><span class="pl-kos">.</span><span class="pl-en">toString</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-s1">app</span>
<span class="pl-kos">.</span><span class="pl-en">prepare</span><span class="pl-kos">(</span><span class="pl-kos">)</span>
<span class="pl-kos">.</span><span class="pl-en">then</span><span class="pl-kos">(</span><span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-kos">{</span>
<span class="pl-k">let</span> <span class="pl-s1">server</span> <span class="pl-c1">=</span> <span class="pl-v">Express</span><span class="pl-kos">(</span><span class="pl-kos">)</span>
<span class="pl-s1">server</span><span class="pl-kos">.</span><span class="pl-en">use</span><span class="pl-kos">(</span><span class="pl-s1">metaContentFixer</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">function</span> <span class="pl-en">normalizeHTML</span><span class="pl-kos">(</span><span class="pl-s1">html</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">return</span> <span class="pl-s1">html</span>
<span class="pl-c">// Fix SEO title</span>
<span class="pl-kos">.</span><span class="pl-en">replace</span><span class="pl-kos">(</span><span class="pl-pds"><span class="pl-c1">/</span><title<span class="pl-kos">[</span>^><span class="pl-kos">]</span><span class="pl-c1">*</span>><span class="pl-kos">(</span><span class="pl-kos">[</span>^<<span class="pl-kos">]</span><span class="pl-c1">*</span><span class="pl-kos">)</span><<span class="pl-cce">\/</span>title><span class="pl-c1">/</span></span><span class="pl-kos">,</span> <span class="pl-kos">(</span><span class="pl-s1">match</span><span class="pl-kos">,</span> <span class="pl-s1">content</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-kos">{</span>
<span class="pl-k">return</span> <span class="pl-s1">match</span><span class="pl-kos">.</span><span class="pl-en">replace</span><span class="pl-kos">(</span><span class="pl-s1">content</span><span class="pl-kos">,</span> <span class="pl-s1">ent</span><span class="pl-kos">.</span><span class="pl-en">decode</span><span class="pl-kos">(</span><span class="pl-s1">content</span><span class="pl-kos">)</span><span class="pl-kos">)</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span> <span class="pl-c">// fix-1</span>
<span class="pl-c">// Remove linebreaks in meta contents</span>
<span class="pl-kos">.</span><span class="pl-en">replace</span><span class="pl-kos">(</span><span class="pl-pds"><span class="pl-c1">/</span>content="<span class="pl-kos">(</span><span class="pl-kos">[</span>^"<span class="pl-kos">]</span><span class="pl-c1">+</span><span class="pl-kos">)</span>"<span class="pl-c1">/</span>g</span><span class="pl-kos">,</span> <span class="pl-kos">(</span><span class="pl-s1">match</span><span class="pl-kos">,</span> <span class="pl-s1">content</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-kos">{</span>
<span class="pl-k">return</span> <span class="pl-s">`content="<span class="pl-s1"><span class="pl-kos">${</span><span class="pl-s1">ent</span><span class="pl-kos">.</span><span class="pl-en">decode</span><span class="pl-kos">(</span><span class="pl-s1">content</span><span class="pl-kos">)</span><span class="pl-kos">.</span><span class="pl-en">replace</span><span class="pl-kos">(</span><span class="pl-pds"><span class="pl-c1">/</span><span class="pl-kos">(</span><span class="pl-cce">\r</span><span class="pl-cce">\n</span><span class="pl-c1">|</span><span class="pl-cce">\n</span><span class="pl-c1">|</span><span class="pl-cce">\r</span><span class="pl-kos">)</span><span class="pl-c1">+</span><span class="pl-c1">/</span>g</span><span class="pl-kos">,</span> <span class="pl-s">" "</span><span class="pl-kos">)</span><span class="pl-kos">}</span></span>"`</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span> <span class="pl-c">// fix-2</span>
<span class="pl-kos">}</span></pre></div>
<p dir="auto">You can say "meh, it's just React bugs". The problem is that such bugs can be very long-lasting and quite detremental to SEO (ruining og attributes for example).</p>
<p dir="auto">And the list of such issues can be expanded. Not necessary NextJS-related but I remember fixing HTML after ReactRouter + Helmet and so on. The bottom line is that similar issues and answers like "You can only fix it in HTML" are regular at StackOverflow.</p>
<p dir="auto"><code class="notranslate">server.js</code> allowed us to inject whatever middlewares we wanted. Unless I miss something, <strong>Now-2 + <a class="issue-link js-issue-link notranslate" rel="noopener noreferrer nofollow" href="https://linear.app/vercel/issue/NEXT-8">Next-8</a> do not leave any option to apply custom middlewares</strong>. It's quite a limitation, you know.</p> | <p dir="auto">I'm trying out next.js but for my specific needs I want to use external CSS file, e.g. from CDN. It's utility belt which provides a lot of useful classes in the app. I've tried adding it in <code class="notranslate">Head</code> component like:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import React from 'react';
import Head from 'next/head';
export default () => (
<div>
<Head>
<link href="//unpkg.com/[email protected]/dist/contrabass.min.css" rel="stylesheet" />
</Head>
</div>
);"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-v">React</span> <span class="pl-k">from</span> <span class="pl-s">'react'</span><span class="pl-kos">;</span>
<span class="pl-k">import</span> <span class="pl-v">Head</span> <span class="pl-k">from</span> <span class="pl-s">'next/head'</span><span class="pl-kos">;</span>
<span class="pl-k">export</span> <span class="pl-k">default</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-kos">(</span>
<span class="pl-c1"><</span><span class="pl-ent">div</span><span class="pl-c1">></span>
<span class="pl-c1"><</span><span class="pl-ent">Head</span><span class="pl-c1">></span>
<span class="pl-c1"><</span><span class="pl-ent">link</span> <span class="pl-c1">href</span><span class="pl-c1">=</span><span class="pl-s">"//unpkg.com/[email protected]/dist/contrabass.min.css"</span> <span class="pl-c1">rel</span><span class="pl-c1">=</span><span class="pl-s">"stylesheet"</span> <span class="pl-c1">/</span><span class="pl-c1">></span>
<span class="pl-c1"><</span><span class="pl-c1">/</span><span class="pl-ent">Head</span><span class="pl-c1">></span>
<span class="pl-c1"><</span><span class="pl-c1">/</span><span class="pl-ent">div</span><span class="pl-c1">></span>
<span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div>
<p dir="auto">but everytime when switching between pages with <code class="notranslate">Link</code> element I see styles blinking - I assume due to loading this css file after the page rendered.</p>
<p dir="auto">I've also tried to load CSS once when returned from server like:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="function addExternalCSS (href, id, media = 'all') {
if (document.getElementById(id)) {
return;
}
const head = document.getElementsByTagName('head')[0];
const link = document.createElement('link');
link.id = id;
link.rel = 'stylesheet';
link.type = 'text/css';
link.href = href;
link.media = media;
head.appendChild(link);
}
(function () {
if (typeof document === 'undefined') {
return;
}
addExternalCSS('//unpkg.com/[email protected]/dist/contrabass.min.css', 'contrabass');
})();"><pre class="notranslate"><span class="pl-k">function</span> <span class="pl-en">addExternalCSS</span> <span class="pl-kos">(</span><span class="pl-s1">href</span><span class="pl-kos">,</span> <span class="pl-s1">id</span><span class="pl-kos">,</span> <span class="pl-s1">media</span> <span class="pl-c1">=</span> <span class="pl-s">'all'</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">if</span> <span class="pl-kos">(</span><span class="pl-smi">document</span><span class="pl-kos">.</span><span class="pl-en">getElementById</span><span class="pl-kos">(</span><span class="pl-s1">id</span><span class="pl-kos">)</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">return</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-k">const</span> <span class="pl-s1">head</span> <span class="pl-c1">=</span> <span class="pl-smi">document</span><span class="pl-kos">.</span><span class="pl-en">getElementsByTagName</span><span class="pl-kos">(</span><span class="pl-s">'head'</span><span class="pl-kos">)</span><span class="pl-kos">[</span><span class="pl-c1">0</span><span class="pl-kos">]</span><span class="pl-kos">;</span>
<span class="pl-k">const</span> <span class="pl-s1">link</span> <span class="pl-c1">=</span> <span class="pl-smi">document</span><span class="pl-kos">.</span><span class="pl-en">createElement</span><span class="pl-kos">(</span><span class="pl-s">'link'</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-s1">link</span><span class="pl-kos">.</span><span class="pl-c1">id</span> <span class="pl-c1">=</span> <span class="pl-s1">id</span><span class="pl-kos">;</span>
<span class="pl-s1">link</span><span class="pl-kos">.</span><span class="pl-c1">rel</span> <span class="pl-c1">=</span> <span class="pl-s">'stylesheet'</span><span class="pl-kos">;</span>
<span class="pl-s1">link</span><span class="pl-kos">.</span><span class="pl-c1">type</span> <span class="pl-c1">=</span> <span class="pl-s">'text/css'</span><span class="pl-kos">;</span>
<span class="pl-s1">link</span><span class="pl-kos">.</span><span class="pl-c1">href</span> <span class="pl-c1">=</span> <span class="pl-s1">href</span><span class="pl-kos">;</span>
<span class="pl-s1">link</span><span class="pl-kos">.</span><span class="pl-c1">media</span> <span class="pl-c1">=</span> <span class="pl-s1">media</span><span class="pl-kos">;</span>
<span class="pl-s1">head</span><span class="pl-kos">.</span><span class="pl-en">appendChild</span><span class="pl-kos">(</span><span class="pl-s1">link</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-kos">(</span><span class="pl-k">function</span> <span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">if</span> <span class="pl-kos">(</span><span class="pl-k">typeof</span> <span class="pl-smi">document</span> <span class="pl-c1">===</span> <span class="pl-s">'undefined'</span><span class="pl-kos">)</span> <span class="pl-kos">{</span>
<span class="pl-k">return</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-en">addExternalCSS</span><span class="pl-kos">(</span><span class="pl-s">'//unpkg.com/[email protected]/dist/contrabass.min.css'</span><span class="pl-kos">,</span> <span class="pl-s">'contrabass'</span><span class="pl-kos">)</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span><span class="pl-kos">)</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div>
<p dir="auto">But this approach has downside on big initial styles blink due to waiting while file is downloaded and parsed by browser.</p>
<p dir="auto">Do you have some pieces of advice how to work with external CSS files and do not have these weird style blinks?</p> | 0 |
<table role="table">
<thead>
<tr>
<th>Q</th>
<th>A</th>
</tr>
</thead>
<tbody>
<tr>
<td>Bug report?</td>
<td>yes</td>
</tr>
<tr>
<td>Feature request?</td>
<td>no</td>
</tr>
<tr>
<td>BC Break report?</td>
<td>yes/no</td>
</tr>
<tr>
<td>RFC?</td>
<td>no</td>
</tr>
<tr>
<td>Symfony version</td>
<td>4.0.5</td>
</tr>
</tbody>
</table>
<p dir="auto">I have a <a href="https://twitter.github.io/typeahead.js/" rel="nofollow">typeahead.js</a> on a page. After upgrading to 4.0.5 it stops working. Looks like problem in this lines: <a href="https://github.com/symfony/symfony/blob/master/src/Symfony/Bundle/WebProfilerBundle/Resources/views/Profiler/base_js.html.twig#L524-L529">https://github.com/symfony/symfony/blob/master/src/Symfony/Bundle/WebProfilerBundle/Resources/views/Profiler/base_js.html.twig#L524-L529</a></p> | <table role="table">
<thead>
<tr>
<th>Q</th>
<th>A</th>
</tr>
</thead>
<tbody>
<tr>
<td>Bug report?</td>
<td>yes</td>
</tr>
<tr>
<td>Feature request?</td>
<td>no</td>
</tr>
<tr>
<td>BC Break report?</td>
<td>yes</td>
</tr>
<tr>
<td>RFC?</td>
<td>no</td>
</tr>
<tr>
<td>Symfony version</td>
<td>4.0.5</td>
</tr>
</tbody>
</table>
<p dir="auto">Hi,</p>
<p dir="auto">'tbody.rows.count is not a function' error is showed in console when i try to make an ajax request, with profiler toolbar open.<br>
It works if I revert to version 4.0.4.</p>
<p dir="auto">Regards,<br>
Marton</p> | 1 |
<p dir="auto">Tagged templates are fairly easy to implement using ES5 and ES3, you simply turn the following:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="fn`Hello ${you}! You're looking ${adjective} today!`"><pre class="notranslate"><span class="pl-en">fn</span><span class="pl-s">`Hello <span class="pl-s1"><span class="pl-kos">${</span><span class="pl-s1">you</span><span class="pl-kos">}</span></span>! You're looking <span class="pl-s1"><span class="pl-kos">${</span><span class="pl-s1">adjective</span><span class="pl-kos">}</span></span> today!`</span></pre></div>
<p dir="auto">into the following:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="fn(["Hello ", "! You're looking ", " today!"], you, adjective);"><pre class="notranslate"><span class="pl-en">fn</span><span class="pl-kos">(</span><span class="pl-kos">[</span><span class="pl-s">"Hello "</span><span class="pl-kos">,</span> <span class="pl-s">"! You're looking "</span><span class="pl-kos">,</span> <span class="pl-s">" today!"</span><span class="pl-kos">]</span><span class="pl-kos">,</span> <span class="pl-s1">you</span><span class="pl-kos">,</span> <span class="pl-s1">adjective</span><span class="pl-kos">)</span><span class="pl-kos">;</span></pre></div>
<p dir="auto">(sample taken from <a href="http://updates.html5rocks.com/2015/01/ES6-Template-Strings" rel="nofollow">http://updates.html5rocks.com/2015/01/ES6-Template-Strings</a>)</p> | <p dir="auto">Hi all.</p>
<p dir="auto">If I target ES5, with noLib option and manually pointing to lib.es6.d.ts, with a polyfill for es-6 Promise, It would be to be able to use async & await. Even with a limited transpilation (i.e. not supporting yield).</p> | 0 |
<p dir="auto">Please make sure that the boxes below are checked before you submit your issue. If your issue is an implementation question, please ask your question on <a href="http://stackoverflow.com/questions/tagged/keras" rel="nofollow">StackOverflow</a> or <a href="https://keras-slack-autojoin.herokuapp.com/" rel="nofollow">join the Keras Slack channel</a> and ask there instead of filing a GitHub issue.</p>
<p dir="auto">Thank you!</p>
<ul class="contains-task-list">
<li class="task-list-item">
<p dir="auto"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> Check that you are up-to-date with the master branch of Keras. You can update with:<br>
pip install git+git://github.com/keras-team/keras.git --upgrade --no-deps</p>
</li>
<li class="task-list-item">
<p dir="auto"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> If running on TensorFlow, check that you are up-to-date with the latest version. The installation instructions can be found <a href="https://www.tensorflow.org/get_started/os_setup" rel="nofollow">here</a>.</p>
</li>
<li class="task-list-item">
<p dir="auto"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> If running on Theano, check that you are up-to-date with the master branch of Theano. You can update with:<br>
pip install git+git://github.com/Theano/Theano.git --upgrade --no-deps</p>
</li>
<li class="task-list-item">
<p dir="auto"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> Provide a link to a GitHub Gist of a Python script that can reproduce your issue (or just copy the script here if it is short).</p>
</li>
</ul> | <p dir="auto">Hi all,</p>
<p dir="auto">I was wondering if you would be able to help or advice me on an issue I am having. I am not sure that this is a bug but I would like some input on this problem to be sure of what is happening!</p>
<p dir="auto">I have built a multi-label classifier network in order to classify categories in some data i have that includes classes such as age etc... My question is related to the predict function and just wanted some clarification as to the confidence scores assigned by the network. I have some unlabelled data in my data set, and I would like also the network to predict what class it thinks the data belongs to. The reason it is unknown is because it has not been measured, however, given that it hasn't been measured, I would like to know what the network thinks it is.</p>
<p dir="auto">For each sample, multiple labels exist (age, sex) etc...</p>
<p dir="auto">My code is as follows:</p>
<p dir="auto">For label binarizing, the unknown class are given a 0 and when one-hot encoding, they are left out as follows:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="from sklearn.preprocessing import LabelEncoder
le = LabelEncoder()
Metadataencoded= Normcountstransposemetadata.apply(le.fit_transform)
cat_Organ=to_categorical(Metadataencoded["Organ"],12)
cat_Age=to_categorical(Metadataencoded["Age"],6)
cat_Sex=to_categorical(Metadataencoded["Sex"],3)
cat_LLGC=to_categorical(Metadataencoded["Life_long_Generative_capacity"],5)
cat_LLGC=cat_LLGC[:,1:5]
cat_Sex=cat_Sex[:,1:3]"><pre class="notranslate"><code class="notranslate">from sklearn.preprocessing import LabelEncoder
le = LabelEncoder()
Metadataencoded= Normcountstransposemetadata.apply(le.fit_transform)
cat_Organ=to_categorical(Metadataencoded["Organ"],12)
cat_Age=to_categorical(Metadataencoded["Age"],6)
cat_Sex=to_categorical(Metadataencoded["Sex"],3)
cat_LLGC=to_categorical(Metadataencoded["Life_long_Generative_capacity"],5)
cat_LLGC=cat_LLGC[:,1:5]
cat_Sex=cat_Sex[:,1:3]
</code></pre></div>
<p dir="auto">Sex and LLGC are the categories for which there are unknown or unlabelled data. The first column is removed as label binarizer assigns these samples a class.. so after this, the unknown samples contain all 0's for one-hot encoded data.</p>
<p dir="auto">Merge one-hot encoded classes:</p>
<p dir="auto"><code class="notranslate">trainingtarget1 = np.concatenate((cat_Age, cat_Organ,cat_Sex,cat_LLGC), axis=1) </code></p>
<p dir="auto">Test and split and compile model</p>
<p dir="auto">`X_train, X_test, y_train, y_test = train_test_split(Normcountstrain,trainingtarget1, train_size = 0.8)</p>
<p dir="auto">numpy.random.seed(7)</p>
<p dir="auto">model= Sequential()<br>
model.add(Dense(units=64, input_dim=5078, activation="relu"))<br>
model.add(Dense(units=32, activation="relu"))<br>
model.add(Dense(units=100, activation="relu"))<br>
model.add(Dense(units=24, activation="sigmoid"))</p>
<p dir="auto">model.compile(loss="binary_crossentropy", optimizer='adam', metrics=['accuracy'])</p>
<p dir="auto">model.fit(X_train, y_train,<br>
epochs=200,<br>
batch_size=32,<br>
verbose=1,<br>
validation_split=0.15,<br>
callbacks=[EarlyStopping(monitor='val_loss', patience=5,)])</p>
<p dir="auto">`<br>
Validation loss and accuracy etc (the model performs relatively well)... and now skipping to the part I have a question about: I run the following code to get prediction scores.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="trainpred = model.predict(X_train)
trainpred=pd.DataFrame(trainpred, index=X_train.index)"><pre class="notranslate"><code class="notranslate">trainpred = model.predict(X_train)
trainpred=pd.DataFrame(trainpred, index=X_train.index)
</code></pre></div>
<p dir="auto">I have attached a screenshot of of a portion of the unknown samples under the 4 classes I would like to know about (the 0.9 values is a sample with a known class). As you can see it can assign some confidence value to the samples with unknown labels I would like the network to try and classify, however, they are all very very low values. Should I go with the highest value in the categories and then assume the network thinks it is most likely that class? I will say that for the most part, even though the values are low, the highest value is normally assigned to what I would assume is the correct class... so another question would then be, why is the value so low?</p>
<p dir="auto">Is this how it is for classification of unknown labels or is there another way of evaluating this/tweaking the model to get a higher confidence value etc?</p>
<p dir="auto">I will add, I dont want to force these in to the test unseen set as this class is not known at all, and so would like to try and train on these to learn unique features within this class. They are samples at different ages where the class is not known, but it is known for two ages.. I would like to see where they fit in between...</p>
<p dir="auto">Thank you for your time and any help and advice is much appreciated!!</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/33659783/58969099-10a84300-87af-11e9-96c8-7c354499137e.png"><img src="https://user-images.githubusercontent.com/33659783/58969099-10a84300-87af-11e9-96c8-7c354499137e.png" alt="Screenshot 2019-06-05 at 16 20 00" style="max-width: 100%;"></a></p> | 0 |
<p dir="auto">According to this program any value between ...cde0 and ...cdef is equal to uint64 value of ...cdef which was a big surprise</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import numpy
a = numpy.uint64(0x1234567890abcdef)
if a == 0x1234567890abcde0:
print("BUG!")"><pre class="notranslate"><code class="notranslate">import numpy
a = numpy.uint64(0x1234567890abcdef)
if a == 0x1234567890abcde0:
print("BUG!")
</code></pre></div>
<p dir="auto">Seems like uint64 is converted to float even when it is compared against standard integers which was another big surprise for me.</p> | <p dir="auto">This is to gather and close some other issues. The NEP 50 proposal would close it. In many cases using int64 as the default Python integer for scalar operations (where we disable value-based logic) can be surprising</p>
<ul dir="auto">
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="10533985" data-permission-text="Title is private" data-url="https://github.com/numpy/numpy/issues/2955" data-hovercard-type="issue" data-hovercard-url="/numpy/numpy/issues/2955/hovercard" href="https://github.com/numpy/numpy/issues/2955">gh-2955</a> (bitwise_and)</li>
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="66254462" data-permission-text="Title is private" data-url="https://github.com/numpy/numpy/issues/5746" data-hovercard-type="issue" data-hovercard-url="/numpy/numpy/issues/5746/hovercard" href="https://github.com/numpy/numpy/issues/5746">gh-5746</a> (comparison) although uint64 and int64 comparisons of course have still more issues (covered by <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="389178680" data-permission-text="Title is private" data-url="https://github.com/numpy/numpy/issues/12525" data-hovercard-type="issue" data-hovercard-url="/numpy/numpy/issues/12525/hovercard" href="https://github.com/numpy/numpy/issues/12525">gh-12525</a>)</li>
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="7731593" data-permission-text="Title is private" data-url="https://github.com/numpy/numpy/issues/2524" data-hovercard-type="issue" data-hovercard-url="/numpy/numpy/issues/2524/hovercard" href="https://github.com/numpy/numpy/issues/2524">gh-2524</a> (bit shift operators)</li>
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="216032133" data-permission-text="Title is private" data-url="https://github.com/numpy/numpy/issues/8809" data-hovercard-type="issue" data-hovercard-url="/numpy/numpy/issues/8809/hovercard" href="https://github.com/numpy/numpy/issues/8809">gh-8809</a> power is surprising for promotion (which is just the normal madness of scalar+value-based logic), again together with <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="389178680" data-permission-text="Title is private" data-url="https://github.com/numpy/numpy/issues/12525" data-hovercard-type="issue" data-hovercard-url="/numpy/numpy/issues/12525/hovercard" href="https://github.com/numpy/numpy/issues/12525">gh-12525</a></li>
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="415655775" data-permission-text="Title is private" data-url="https://github.com/numpy/numpy/issues/13057" data-hovercard-type="issue" data-hovercard-url="/numpy/numpy/issues/13057/hovercard" href="https://github.com/numpy/numpy/issues/13057">gh-13057</a> (division of uint by Python int)</li>
</ul>
<p dir="auto">This issue is just to gather and close the other ones as duplicates.</p> | 1 |
<ul dir="auto">
<li>VSCode Version: 0.10.11</li>
<li>OS Version: OS X 10.11.4</li>
</ul>
<p dir="auto">Steps to Reproduce:</p>
<ol dir="auto">
<li>All I have to do is open Visual Studio Code and it will give me these error. I am not able to save, and some of the keyboard commands don't work such as backspace.</li>
</ol>
<p dir="auto">Troubleshooting:</p>
<ol dir="auto">
<li>I've deleted all my extensions from <code class="notranslate">~/.vscode/extensions</code> but still experience the same errors.</li>
<li>I've completely uninstalled VS Code by using App Cleaner to make sure I got every app file possible, yet it still gave errors after I installed a fresh copy from the website.</li>
</ol>
<p dir="auto">Screenshot:</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://camo.githubusercontent.com/0d5109f26c3897a1bda154aff410da22a3004c82f59a9e1ae384999c3ef01ec9/687474703a2f2f692e696d6775722e636f6d2f506b71376b6d432e706e67"><img src="https://camo.githubusercontent.com/0d5109f26c3897a1bda154aff410da22a3004c82f59a9e1ae384999c3ef01ec9/687474703a2f2f692e696d6775722e636f6d2f506b71376b6d432e706e67" alt="Screenshot" data-canonical-src="http://i.imgur.com/Pkq7kmC.png" style="max-width: 100%;"></a></p>
<p dir="auto"><strong>EDIT:</strong> Actually... I think I may have found the issue. This happens when I open a remote file from within FileZilla by right clicking on the <strong>remote</strong> filename and clicking on view/edit. What this does is open the file in VSCode and shows the temp location of the file as a very long string.</p>
<p dir="auto">I feel like it may be this that is causing the issue because after downloading the file and <strong>then</strong> opening it, everything is working fine.</p>
<p dir="auto">Is there any log that I can submit to see if I'm right?</p> | <ul dir="auto">
<li>VSCode Version:0.10.11</li>
<li>OS Version:Mac 10.11.3</li>
</ul>
<p dir="auto">Steps to Reproduce:</p>
<ol dir="auto">
<li>Left vscode over night</li>
<li>Code --> Preferences --> Color Theme</li>
</ol>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/10361685/13833352/25892762-ebb3-11e5-8e5d-db34bee10b10.png"><img width="753" alt="screen shot 2016-03-16 at 8 10 03 pm" src="https://cloud.githubusercontent.com/assets/10361685/13833352/25892762-ebb3-11e5-8e5d-db34bee10b10.png" style="max-width: 100%;"></a></p>
<p dir="auto">This error does go away after restarting vscode once.</p> | 1 |
<p dir="auto">Hi,</p>
<p dir="auto">This is not yet part of <a href="https://esdiscuss.org/topic/existential-operator-null-propagation-operator#content-65" rel="nofollow"><code class="notranslate">ES6</code></a> nor <a href="https://esdiscuss.org/topic/existential-operator-null-propagation-operator#content-65" rel="nofollow"><code class="notranslate">ES7</code></a> nor <a href="https://github.com/Microsoft/TypeScript/issues/16" data-hovercard-type="issue" data-hovercard-url="/microsoft/TypeScript/issues/16/hovercard"><code class="notranslate">TypeScript</code></a> agreed specs but I have proposed it already there. So in the meanwhile, just sharing the idea with you guys too.</p>
<p dir="auto">This would be amazing operator!! Especially for <code class="notranslate">ES6</code>/<code class="notranslate">ES7</code>/<code class="notranslate">TypeScript</code></p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var error = a.b.c.d; //this would fail with error if a, b or c are null or undefined.
var current = a && a.b && a.b.c && a.b.c.d; // the current messy way to handle this
var currentBrackets = a && a['b'] && a['b']['c'] && a['b']['c']['d']; //the current messy way to handle this
var typeScript = a?.b?.c?.d; // The typescript way of handling the above mess with no errors
var typeScriptBrackets = a?['b']?['c']?['d']; //The typescript of handling the above mess with no errors"><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">error</span> <span class="pl-c1">=</span> <span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-c1">b</span><span class="pl-kos">.</span><span class="pl-c1">c</span><span class="pl-kos">.</span><span class="pl-c1">d</span><span class="pl-kos">;</span> <span class="pl-c">//this would fail with error if a, b or c are null or undefined.</span>
<span class="pl-k">var</span> <span class="pl-s1">current</span> <span class="pl-c1">=</span> <span class="pl-s1">a</span> <span class="pl-c1">&&</span> <span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-c1">b</span> <span class="pl-c1">&&</span> <span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-c1">b</span><span class="pl-kos">.</span><span class="pl-c1">c</span> <span class="pl-c1">&&</span> <span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-c1">b</span><span class="pl-kos">.</span><span class="pl-c1">c</span><span class="pl-kos">.</span><span class="pl-c1">d</span><span class="pl-kos">;</span> <span class="pl-c">// the current messy way to handle this</span>
<span class="pl-k">var</span> <span class="pl-s1">currentBrackets</span> <span class="pl-c1">=</span> <span class="pl-s1">a</span> <span class="pl-c1">&&</span> <span class="pl-s1">a</span><span class="pl-kos">[</span><span class="pl-s">'b'</span><span class="pl-kos">]</span> <span class="pl-c1">&&</span> <span class="pl-s1">a</span><span class="pl-kos">[</span><span class="pl-s">'b'</span><span class="pl-kos">]</span><span class="pl-kos">[</span><span class="pl-s">'c'</span><span class="pl-kos">]</span> <span class="pl-c1">&&</span> <span class="pl-s1">a</span><span class="pl-kos">[</span><span class="pl-s">'b'</span><span class="pl-kos">]</span><span class="pl-kos">[</span><span class="pl-s">'c'</span><span class="pl-kos">]</span><span class="pl-kos">[</span><span class="pl-s">'d'</span><span class="pl-kos">]</span><span class="pl-kos">;</span> <span class="pl-c">//the current messy way to handle this</span>
<span class="pl-k">var</span> <span class="pl-s1">typeScript</span> <span class="pl-c1">=</span> <span class="pl-s1">a</span><span class="pl-kos">?.</span><span class="pl-c1">b</span><span class="pl-kos">?.</span><span class="pl-c1">c</span><span class="pl-kos">?.</span><span class="pl-c1">d</span><span class="pl-kos">;</span> <span class="pl-c">// The typescript way of handling the above mess with no errors</span>
<span class="pl-k">var</span> <span class="pl-s1">typeScriptBrackets</span> <span class="pl-c1">=</span> <span class="pl-s1">a</span>?<span class="pl-kos">[</span><span class="pl-s">'b'</span><span class="pl-kos">]</span>?<span class="pl-kos">[</span><span class="pl-s">'c'</span><span class="pl-kos">]</span>?<span class="pl-kos">[</span><span class="pl-s">'d'</span><span class="pl-kos">]</span><span class="pl-kos">;</span> <span class="pl-c">//The typescript of handling the above mess with no errors</span></pre></div>
<p dir="auto">However I propose a more clear one - as not to confuse ? from the a ? b : c statements with a?.b statements:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var doubleDots = a..b..c..d; //this would be ideal to understand that you assume that if any of a, b, c is null or undefined the result will be null or undefined.
var doubleDotsWithBrackets = a..['b']..['c']..['d'];"><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">doubleDots</span> <span class="pl-c1">=</span> <span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-c1">b</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-c1">c</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-c1">d</span><span class="pl-kos">;</span> <span class="pl-c">//this would be ideal to understand that you assume that if any of a, b, c is null or undefined the result will be null or undefined.</span>
<span class="pl-k">var</span> <span class="pl-s1">doubleDotsWithBrackets</span> <span class="pl-c1">=</span> <span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-kos">[</span><span class="pl-s">'b'</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">'c'</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">'d'</span><span class="pl-kos">]</span><span class="pl-kos">;</span></pre></div>
<p dir="auto">For the bracket notation, I recommend two dots instead of a single one as it's consistent with the others when non brackets are used. Hence only the property name is static or dynamic via brackets.</p>
<p dir="auto">Two dots, means if its null or undefined stop processing further and assume the result of expression is null or undefined. (as d would be null or undefined).</p>
<p dir="auto">Two dots make it more clear, more visible and more space-wise so you understand what's going on.</p>
<p dir="auto">This is not messing with numbers too - as is not the same case e.g.</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="1..toString(); // works returning '1'
var x = {};
x.1 = {y: 'test' }; //fails currently
x[1] = {y: 'test' }; //works currently
var current = x[1].y; //works
var missing= x[2].y; //throws exception
var assume= x && x[2] && x[2].y; // works but very messy"><pre class="notranslate"><span class="pl-c1">1.</span><span class="pl-kos">.</span><span class="pl-en">toString</span><span class="pl-kos">(</span><span class="pl-kos">)</span><span class="pl-kos">;</span> <span class="pl-c">// works returning '1'</span>
<span class="pl-k">var</span> <span class="pl-s1">x</span> <span class="pl-c1">=</span> <span class="pl-kos">{</span><span class="pl-kos">}</span><span class="pl-kos">;</span>
<span class="pl-s1">x</span><span class="pl-c1">.1</span> <span class="pl-c1">=</span> <span class="pl-kos">{</span><span class="pl-c1">y</span>: <span class="pl-s">'test'</span> <span class="pl-kos">}</span><span class="pl-kos">;</span> <span class="pl-c">//fails currently</span>
<span class="pl-s1">x</span><span class="pl-kos">[</span><span class="pl-c1">1</span><span class="pl-kos">]</span> <span class="pl-c1">=</span> <span class="pl-kos">{</span><span class="pl-c1">y</span>: <span class="pl-s">'test'</span> <span class="pl-kos">}</span><span class="pl-kos">;</span> <span class="pl-c">//works currently </span>
<span class="pl-k">var</span> <span class="pl-s1">current</span> <span class="pl-c1">=</span> <span class="pl-s1">x</span><span class="pl-kos">[</span><span class="pl-c1">1</span><span class="pl-kos">]</span><span class="pl-kos">.</span><span class="pl-c1">y</span><span class="pl-kos">;</span> <span class="pl-c">//works</span>
<span class="pl-k">var</span> <span class="pl-s1">missing</span><span class="pl-c1">=</span> <span class="pl-s1">x</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-c1">y</span><span class="pl-kos">;</span> <span class="pl-c">//throws exception</span>
<span class="pl-k">var</span> <span class="pl-s1">assume</span><span class="pl-c1">=</span> <span class="pl-s1">x</span> <span class="pl-c1">&&</span> <span class="pl-s1">x</span><span class="pl-kos">[</span><span class="pl-c1">2</span><span class="pl-kos">]</span> <span class="pl-c1">&&</span> <span class="pl-s1">x</span><span class="pl-kos">[</span><span class="pl-c1">2</span><span class="pl-kos">]</span><span class="pl-kos">.</span><span class="pl-c1">y</span><span class="pl-kos">;</span> <span class="pl-c">// works but very messy</span></pre></div>
<p dir="auto">About numbers two options: Your call which one can be adopted, but I recommend first one for compatibility with existing rules!</p>
<ol dir="auto">
<li>Should fail as it does now (<code class="notranslate">x.1.y</code> == <code class="notranslate">runtime error</code>)</li>
</ol>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var err = x..1..y; // should fail as well, since 1 is not a good property name, nor a number to call a method, since it's after x object."><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">err</span> <span class="pl-c1">=</span> <span class="pl-s1">x</span><span class="pl-kos">.</span><span class="pl-c1">.1</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-c1">y</span><span class="pl-kos">;</span> <span class="pl-c">// should fail as well, since 1 is not a good property name, nor a number to call a method, since it's after x object.</span></pre></div>
<ol dir="auto">
<li>Should work since it understands that is not a number calling a property from <code class="notranslate">Number.prototype</code></li>
</ol>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var err = x..1..y; // should work as well, resulting 'test' in this case
var err = x..2..y; // should work as well, resulting undefined in this case"><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">err</span> <span class="pl-c1">=</span> <span class="pl-s1">x</span><span class="pl-kos">.</span><span class="pl-c1">.1</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-c1">y</span><span class="pl-kos">;</span> <span class="pl-c">// should work as well, resulting 'test' in this case</span>
<span class="pl-k">var</span> <span class="pl-s1">err</span> <span class="pl-c1">=</span> <span class="pl-s1">x</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-c1">y</span><span class="pl-kos">;</span> <span class="pl-c">// should work as well, resulting undefined in this case</span></pre></div>
<p dir="auto">With dynamic names:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var correct1 = x..[1]..y; //would work returning 'test'
var correct2 = x..[2]..y; //would work returning undefined;"><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">correct1</span> <span class="pl-c1">=</span> <span class="pl-s1">x</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-kos">[</span><span class="pl-c1">1</span><span class="pl-kos">]</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-c1">y</span><span class="pl-kos">;</span> <span class="pl-c">//would work returning 'test'</span>
<span class="pl-k">var</span> <span class="pl-s1">correct2</span> <span class="pl-c1">=</span> <span class="pl-s1">x</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-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-c1">y</span><span class="pl-kos">;</span> <span class="pl-c">//would work returning undefined;</span></pre></div>
<p dir="auto">What do you think folks?</p>
<p dir="auto">P.S. <code class="notranslate">foo?.bar</code> and <code class="notranslate">foo?['bar']</code> syntax would work too.</p>
<p dir="auto">However the using both current <code class="notranslate">?</code> <code class="notranslate">:</code> operator and <code class="notranslate">?.</code> might be very confusing on the same line.</p>
<p dir="auto">e.g. using <code class="notranslate">?.</code> and <code class="notranslate">?['prop']</code></p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var a = { x: { y: 1 } };
var b = condition ? a?.x.?y : a?.y?.z;
var c = condition ? a?['x']?['y'] : a?['y']?['z'];"><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">a</span> <span class="pl-c1">=</span> <span class="pl-kos">{</span> <span class="pl-c1">x</span>: <span class="pl-kos">{</span> <span class="pl-c1">y</span>: <span class="pl-c1">1</span> <span class="pl-kos">}</span> <span class="pl-kos">}</span><span class="pl-kos">;</span>
<span class="pl-k">var</span> <span class="pl-s1">b</span> <span class="pl-c1">=</span> <span class="pl-s1">condition</span> ? <span class="pl-s1">a</span><span class="pl-kos">?.</span><span class="pl-c1">x</span><span class="pl-kos">.</span>?<span class="pl-c1">y</span> : <span class="pl-s1">a</span><span class="pl-kos">?.</span><span class="pl-c1">y</span><span class="pl-kos">?.</span><span class="pl-c1">z</span><span class="pl-kos">;</span>
<span class="pl-k">var</span> <span class="pl-s1">c</span> <span class="pl-c1">=</span> <span class="pl-s1">condition</span> ? <span class="pl-s1">a</span>?<span class="pl-kos">[</span><span class="pl-s">'x'</span><span class="pl-kos">]</span>?<span class="pl-kos">[</span><span class="pl-s">'y'</span><span class="pl-kos">]</span> : <span class="pl-s1">a</span>?<span class="pl-kos">[</span><span class="pl-s">'y'</span><span class="pl-kos">]</span>?<span class="pl-kos">[</span><span class="pl-s">'z'</span><span class="pl-kos">]</span><span class="pl-kos">;</span></pre></div>
<p dir="auto">as opposed to double dots <code class="notranslate">..</code> and <code class="notranslate">..['prop']</code></p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="var a = { x: { y: 1 } };
var b = condition ? a..x..y : a..y..z;
var c = condition ? a..['x']..['y'] : a..['y']..['z'];"><pre class="notranslate"><span class="pl-k">var</span> <span class="pl-s1">a</span> <span class="pl-c1">=</span> <span class="pl-kos">{</span> <span class="pl-c1">x</span>: <span class="pl-kos">{</span> <span class="pl-c1">y</span>: <span class="pl-c1">1</span> <span class="pl-kos">}</span> <span class="pl-kos">}</span><span class="pl-kos">;</span>
<span class="pl-k">var</span> <span class="pl-s1">b</span> <span class="pl-c1">=</span> <span class="pl-s1">condition</span> ? <span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-c1">x</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-c1">y</span> : <span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-c1">y</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-c1">z</span><span class="pl-kos">;</span>
<span class="pl-k">var</span> <span class="pl-s1">c</span> <span class="pl-c1">=</span> <span class="pl-s1">condition</span> ? <span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-kos">[</span><span class="pl-s">'x'</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">'y'</span><span class="pl-kos">]</span> : <span class="pl-s1">a</span><span class="pl-kos">.</span><span class="pl-kos">.</span><span class="pl-kos">[</span><span class="pl-s">'y'</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">'z'</span><span class="pl-kos">]</span><span class="pl-kos">;</span></pre></div>
<h5 dir="auto">Which one does look more clear to you?</h5> | <p dir="auto">I know this is out of spec, but it would be very nice to add support for Elvis operator in playground.</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="object?.property // object && object.property
foo?() // foo && foo() "><pre class="notranslate"><span class="pl-s1">object</span><span class="pl-kos">?.</span><span class="pl-c1">property</span> <span class="pl-c">// object && object.property</span>
<span class="pl-s1">foo</span>?<span class="pl-kos">(</span><span class="pl-kos">)</span> <span class="pl-c">// foo && foo() </span></pre></div> | 1 |
<h2 dir="auto">Steps to Reproduce</h2>
<ol dir="auto">
<li>Check out <a href="https://github.com/filiph/hn_app/tree/2ab7e86806c6fbf4bec2f3a11129d706a9a3b3c7">https://github.com/filiph/hn_app/tree/2ab7e86806c6fbf4bec2f3a11129d706a9a3b3c7</a> (a simple app sample with a single widget test)</li>
<li>Run test with <code class="notranslate">flutter run test/widget_test.dart</code>. Verify that it is passing. (You may need to hit <code class="notranslate">R</code> to hot restart.)</li>
<li>Now run the same test with <code class="notranslate">flutter test</code>.</li>
</ol>
<p dir="auto">Context: The test is trying to verify that after dragging to refresh, the open/close state of the <code class="notranslate">ExpansionTile</code>s is reset. If you want to see the regression that this test is trying to test against, comment out main.dart:56 (<code class="notranslate">key: Key(...)</code>).</p>
<p dir="auto">The correct behavior:<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/919717/40947541-18fa7d8c-6818-11e8-8534-4cee2829d837.gif"><img src="https://user-images.githubusercontent.com/919717/40947541-18fa7d8c-6818-11e8-8534-4cee2829d837.gif" alt="refresh_test_bug_correct mp4" data-animated-image="" style="max-width: 100%;"></a></p>
<p dir="auto">The incorrect behavior (which we are not testing - I just want to show what we're preventing with the test):<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/919717/40947550-2019b5ce-6818-11e8-8f00-1bd8fe7a2081.gif"><img src="https://user-images.githubusercontent.com/919717/40947550-2019b5ce-6818-11e8-8f00-1bd8fe7a2081.gif" alt="refresh_test_bug_incorrect mp4" data-animated-image="" style="max-width: 100%;"></a></p>
<p dir="auto">When you run the app (<code class="notranslate">flutter run</code> or <code class="notranslate">flutter run test/widget_test.dart</code>), you can clearly see that the open/close state is correctly reset. But the test fails in the headless (<code class="notranslate">flutter test</code>) mode. In that mode, the <code class="notranslate">ExpansionTile</code> is still open.</p>
<p dir="auto">I've talked to <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/goderbauer/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/goderbauer">@goderbauer</a> about this and it doesn't (immediately) seem that there's a problem with the test itself.</p>
<h2 dir="auto">Test code</h2>
<p dir="auto">Also included in the repo. Adding here for convenience:</p>
<div class="highlight highlight-source-dart notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" testWidgets('refresh clears open state', (WidgetTester tester) async {
// Build our app and trigger a frame.
await tester.pumpWidget(new MyApp());
expect(find.byIcon(Icons.launch), findsNothing);
await tester.tap(find.byType(ExpansionTile).at(2));
await tester.pump();
expect(find.byIcon(Icons.launch), findsOneWidget);
await tester.drag(
find.byType(ExpansionTile).first, const Offset(0.0, 150.0));
await tester.pumpAndSettle();
// debugDumpApp();
expect(find.byType(RefreshProgressIndicator), findsNothing);
expect(find.byIcon(Icons.launch), findsNothing);
});"><pre class="notranslate"> <span class="pl-en">testWidgets</span>(<span class="pl-s">'refresh clears open state'</span>, (<span class="pl-c1">WidgetTester</span> tester) <span class="pl-k">async</span> {
<span class="pl-c">// Build our app and trigger a frame.</span>
<span class="pl-k">await</span> tester.<span class="pl-en">pumpWidget</span>(<span class="pl-k">new</span> <span class="pl-c1">MyApp</span>());
<span class="pl-en">expect</span>(find.<span class="pl-en">byIcon</span>(<span class="pl-c1">Icons</span>.launch), findsNothing);
<span class="pl-k">await</span> tester.<span class="pl-en">tap</span>(find.<span class="pl-en">byType</span>(<span class="pl-c1">ExpansionTile</span>).<span class="pl-en">at</span>(<span class="pl-c1">2</span>));
<span class="pl-k">await</span> tester.<span class="pl-en">pump</span>();
<span class="pl-en">expect</span>(find.<span class="pl-en">byIcon</span>(<span class="pl-c1">Icons</span>.launch), findsOneWidget);
<span class="pl-k">await</span> tester.<span class="pl-en">drag</span>(
find.<span class="pl-en">byType</span>(<span class="pl-c1">ExpansionTile</span>).first, <span class="pl-k">const</span> <span class="pl-c1">Offset</span>(<span class="pl-c1">0.0</span>, <span class="pl-c1">150.0</span>));
<span class="pl-k">await</span> tester.<span class="pl-en">pumpAndSettle</span>();
<span class="pl-c">// debugDumpApp();</span>
<span class="pl-en">expect</span>(find.<span class="pl-en">byType</span>(<span class="pl-c1">RefreshProgressIndicator</span>), findsNothing);
<span class="pl-en">expect</span>(find.<span class="pl-en">byIcon</span>(<span class="pl-c1">Icons</span>.launch), findsNothing);
});</pre></div>
<h2 dir="auto">Test output</h2>
<h3 dir="auto">When run on device with <code class="notranslate">flutter run path/to/test.dart</code>:</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="flutter: 00:00 \^[[32m+0\^[[0m: - refresh clears open state<…>
Restarted app in 1,603ms.
flutter: 00:02 \^[[32m+1\^[[0m: All tests passed!<…>"><pre class="notranslate"><code class="notranslate">flutter: 00:00 \^[[32m+0\^[[0m: - refresh clears open state<…>
Restarted app in 1,603ms.
flutter: 00:02 \^[[32m+1\^[[0m: All tests passed!<…>
</code></pre></div>
<h3 dir="auto">When run in test framework with <code class="notranslate">flutter test</code></h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ flutter test
00:05 +0: - refresh clears open state
══╡ EXCEPTION CAUGHT BY FLUTTER TEST FRAMEWORK ╞════════════════════════════════════════════════════
The following TestFailure object was thrown running a test:
Expected: no matching nodes in the widget tree
Actual: ?:<exactly one widget with icon "IconData(U+0E895)" (ignoring offstage widgets):
Icon(IconData(U+0E895))>
Which: means one was found but none were expected
When the exception was thrown, this was the stack:
#4 main.<anonymous closure> (file:///Users/filiph/dev/hn_app/test/widget_test.dart:30:5)
<asynchronous suspension>
#5 testWidgets.<anonymous closure>.<anonymous closure>.<anonymous closure> (package:flutter_test/src/widget_tester.dart:63:25)
#6 TestWidgetsFlutterBinding._runTestBody (package:flutter_test/src/binding.dart:509:19)
<asynchronous suspension>
#9 TestWidgetsFlutterBinding._runTest (package:flutter_test/src/binding.dart:494:14)
#10 AutomatedTestWidgetsFlutterBinding.runTest.<anonymous closure> (package:flutter_test/src/binding.dart:751:24)
#16 AutomatedTestWidgetsFlutterBinding.runTest (package:flutter_test/src/binding.dart:749:16)
#17 testWidgets.<anonymous closure>.<anonymous closure> (package:flutter_test/src/widget_tester.dart:62:24)
#18 Declarer.test.<anonymous closure>.<anonymous closure>.<anonymous closure> (package:test/src/backend/declarer.dart:161:27)
<asynchronous suspension>
#19 Invoker.waitForOutstandingCallbacks.<anonymous closure> (package:test/src/backend/invoker.dart:249:15)
<asynchronous suspension>
#23 Invoker.waitForOutstandingCallbacks (package:test/src/backend/invoker.dart:246:5)
#24 Declarer.test.<anonymous closure>.<anonymous closure> (package:test/src/backend/declarer.dart:159:33)
#28 Declarer.test.<anonymous closure> (package:test/src/backend/declarer.dart:158:13)
<asynchronous suspension>
#29 Invoker._onRun.<anonymous closure>.<anonymous closure>.<anonymous closure>.<anonymous closure> (package:test/src/backend/invoker.dart:403:25)
<asynchronous suspension>
#43 _Timer._runTimers (dart:isolate/runtime/libtimer_impl.dart:382:19)
#44 _Timer._handleMessage (dart:isolate/runtime/libtimer_impl.dart:416:5)
#45 _RawReceivePortImpl._handleMessage (dart:isolate/runtime/libisolate_patch.dart:165:12)
(elided 26 frames from class _FakeAsync, package dart:async, and package stack_trace)
This was caught by the test expectation on the following line:
file:///Users/filiph/dev/hn_app/test/widget_test.dart line 30
The test description was:
refresh clears open state
════════════════════════════════════════════════════════════════════════════════════════════════════
00:05 +0 -1: - refresh clears open state [E]
Test failed. See exception logs above.
The test description was: refresh clears open state
00:05 +0 -1: Some tests failed."><pre class="notranslate"><code class="notranslate">$ flutter test
00:05 +0: - refresh clears open state
══╡ EXCEPTION CAUGHT BY FLUTTER TEST FRAMEWORK ╞════════════════════════════════════════════════════
The following TestFailure object was thrown running a test:
Expected: no matching nodes in the widget tree
Actual: ?:<exactly one widget with icon "IconData(U+0E895)" (ignoring offstage widgets):
Icon(IconData(U+0E895))>
Which: means one was found but none were expected
When the exception was thrown, this was the stack:
#4 main.<anonymous closure> (file:///Users/filiph/dev/hn_app/test/widget_test.dart:30:5)
<asynchronous suspension>
#5 testWidgets.<anonymous closure>.<anonymous closure>.<anonymous closure> (package:flutter_test/src/widget_tester.dart:63:25)
#6 TestWidgetsFlutterBinding._runTestBody (package:flutter_test/src/binding.dart:509:19)
<asynchronous suspension>
#9 TestWidgetsFlutterBinding._runTest (package:flutter_test/src/binding.dart:494:14)
#10 AutomatedTestWidgetsFlutterBinding.runTest.<anonymous closure> (package:flutter_test/src/binding.dart:751:24)
#16 AutomatedTestWidgetsFlutterBinding.runTest (package:flutter_test/src/binding.dart:749:16)
#17 testWidgets.<anonymous closure>.<anonymous closure> (package:flutter_test/src/widget_tester.dart:62:24)
#18 Declarer.test.<anonymous closure>.<anonymous closure>.<anonymous closure> (package:test/src/backend/declarer.dart:161:27)
<asynchronous suspension>
#19 Invoker.waitForOutstandingCallbacks.<anonymous closure> (package:test/src/backend/invoker.dart:249:15)
<asynchronous suspension>
#23 Invoker.waitForOutstandingCallbacks (package:test/src/backend/invoker.dart:246:5)
#24 Declarer.test.<anonymous closure>.<anonymous closure> (package:test/src/backend/declarer.dart:159:33)
#28 Declarer.test.<anonymous closure> (package:test/src/backend/declarer.dart:158:13)
<asynchronous suspension>
#29 Invoker._onRun.<anonymous closure>.<anonymous closure>.<anonymous closure>.<anonymous closure> (package:test/src/backend/invoker.dart:403:25)
<asynchronous suspension>
#43 _Timer._runTimers (dart:isolate/runtime/libtimer_impl.dart:382:19)
#44 _Timer._handleMessage (dart:isolate/runtime/libtimer_impl.dart:416:5)
#45 _RawReceivePortImpl._handleMessage (dart:isolate/runtime/libisolate_patch.dart:165:12)
(elided 26 frames from class _FakeAsync, package dart:async, and package stack_trace)
This was caught by the test expectation on the following line:
file:///Users/filiph/dev/hn_app/test/widget_test.dart line 30
The test description was:
refresh clears open state
════════════════════════════════════════════════════════════════════════════════════════════════════
00:05 +0 -1: - refresh clears open state [E]
Test failed. See exception logs above.
The test description was: refresh clears open state
00:05 +0 -1: Some tests failed.
</code></pre></div>
<h2 dir="auto">Logs</h2>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ flutter run --verbose
[ +25 ms] [/Users/filiph/dev/flutter/] git rev-parse --abbrev-ref --symbolic @{u}
[ +28 ms] Exit code 0 from: git rev-parse --abbrev-ref --symbolic @{u}
[ ] origin/beta
[ ] [/Users/filiph/dev/flutter/] git rev-parse --abbrev-ref HEAD
[ +6 ms] Exit code 0 from: git rev-parse --abbrev-ref HEAD
[ ] beta
[ ] [/Users/filiph/dev/flutter/] git ls-remote --get-url origin
[ +4 ms] Exit code 0 from: git ls-remote --get-url origin
[ ] https://github.com/flutter/flutter.git
[ ] [/Users/filiph/dev/flutter/] git log -n 1 --pretty=format:%H
[ +6 ms] Exit code 0 from: git log -n 1 --pretty=format:%H
[ ] f9bb4289e9fd861d70ae78bcc3a042ef1b35cc9d
[ ] [/Users/filiph/dev/flutter/] git log -n 1 --pretty=format:%ar
[ +5 ms] Exit code 0 from: git log -n 1 --pretty=format:%ar
[ ] 3 weeks ago
[ ] [/Users/filiph/dev/flutter/] git describe --match v*.*.* --first-parent --long --tags
[ +9 ms] Exit code 0 from: git describe --match v*.*.* --first-parent --long --tags
[ ] v0.4.4-0-gf9bb4289e
[+1367 ms] /usr/bin/defaults read /Applications/Android Studio.app/Contents/Info CFBundleShortVersionString
[ +61 ms] Exit code 0 from: /usr/bin/defaults read /Applications/Android Studio.app/Contents/Info CFBundleShortVersionString
[ ] 3.1
[ +108 ms] /Users/filiph/Library/Android/sdk/platform-tools/adb devices -l
[ +13 ms] Exit code 0 from: /Users/filiph/Library/Android/sdk/platform-tools/adb devices -l
[ ] List of devices attached
[ +4 ms] idevice_id -h
[ +261 ms] /usr/bin/xcrun simctl list --json devices
[ +217 ms] Found plugin url_launcher at /Users/filiph/dev/flutter/.pub-cache/hosted/pub.dartlang.org/url_launcher-3.0.2/
[ +570 ms] Launching lib/main.dart on iPhone X in debug mode...
[ +1 ms] /usr/bin/defaults read /Users/filiph/dev/hn_app/ios/Runner/Info CFBundleIdentifier
[ +57 ms] Exit code 0 from: /usr/bin/defaults read /Users/filiph/dev/hn_app/ios/Runner/Info CFBundleIdentifier
[ ] $(PRODUCT_BUNDLE_IDENTIFIER)
[ ] [ios/Runner.xcodeproj/] /usr/bin/xcodebuild -project /Users/filiph/dev/hn_app/ios/Runner.xcodeproj -target Runner -showBuildSettings
[ +848 ms] Exit code 0 from: /usr/bin/xcodebuild -project /Users/filiph/dev/hn_app/ios/Runner.xcodeproj -target Runner -showBuildSettings
[ ] Build settings for action build and target Runner:
ACTION = build
AD_HOC_CODE_SIGNING_ALLOWED = NO
ALTERNATE_GROUP = eng
ALTERNATE_MODE = u+w,go-w,a+rX
ALTERNATE_OWNER = filiph
ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO
ALWAYS_SEARCH_USER_PATHS = NO
ALWAYS_USE_SEPARATE_HEADERMAPS = NO
APPLE_INTERNAL_DEVELOPER_DIR = /AppleInternal/Developer
APPLE_INTERNAL_DIR = /AppleInternal
APPLE_INTERNAL_DOCUMENTATION_DIR = /AppleInternal/Documentation
APPLE_INTERNAL_LIBRARY_DIR = /AppleInternal/Library
APPLE_INTERNAL_TOOLS = /AppleInternal/Developer/Tools
APPLICATION_EXTENSION_API_ONLY = NO
APPLY_RULES_IN_COPY_FILES = NO
ARCHS = arm64
ARCHS_STANDARD = armv7 arm64
ARCHS_STANDARD_32_64_BIT = armv7 arm64
ARCHS_STANDARD_32_BIT = armv7
ARCHS_STANDARD_64_BIT = arm64
ARCHS_STANDARD_INCLUDING_64_BIT = armv7 arm64
ARCHS_UNIVERSAL_IPHONE_OS = armv7 arm64
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon
AVAILABLE_PLATFORMS = appletvos appletvsimulator iphoneos iphonesimulator macosx watchos watchsimulator
BITCODE_GENERATION_MODE = marker
BUILD_ACTIVE_RESOURCES_ONLY = NO
BUILD_COMPONENTS = headers build
BUILD_DIR = /Users/filiph/dev/hn_app/build/ios
BUILD_ROOT = /Users/filiph/dev/hn_app/build/ios
BUILD_STYLE =
BUILD_VARIANTS = normal
BUILT_PRODUCTS_DIR = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos
CACHE_ROOT = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/Xcode
CCHROOT = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/Xcode
CHMOD = /bin/chmod
CHOWN = /usr/sbin/chown
CLANG_ANALYZER_NONNULL = YES
CLANG_CXX_LANGUAGE_STANDARD = gnu++0x
CLANG_CXX_LIBRARY = libc++
CLANG_ENABLE_MODULES = YES
CLANG_ENABLE_OBJC_ARC = YES
CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES
CLANG_WARN_BOOL_CONVERSION = YES
CLANG_WARN_COMMA = YES
CLANG_WARN_CONSTANT_CONVERSION = YES
CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR
CLANG_WARN_EMPTY_BODY = YES
CLANG_WARN_ENUM_CONVERSION = YES
CLANG_WARN_INFINITE_RECURSION = YES
CLANG_WARN_INT_CONVERSION = YES
CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES
CLANG_WARN_OBJC_LITERAL_CONVERSION = YES
CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR
CLANG_WARN_RANGE_LOOP_ANALYSIS = YES
CLANG_WARN_STRICT_PROTOTYPES = YES
CLANG_WARN_SUSPICIOUS_MOVE = YES
CLANG_WARN_UNREACHABLE_CODE = YES
CLANG_WARN__DUPLICATE_METHOD_MATCH = YES
CLASS_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/JavaClasses
CLEAN_PRECOMPS = YES
CLONE_HEADERS = NO
CODESIGNING_FOLDER_PATH = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos/Runner.app
CODE_SIGNING_ALLOWED = YES
CODE_SIGNING_REQUIRED = YES
CODE_SIGN_CONTEXT_CLASS = XCiPhoneOSCodeSignContext
CODE_SIGN_IDENTITY = iPhone Developer
CODE_SIGN_INJECT_BASE_ENTITLEMENTS = YES
COLOR_DIAGNOSTICS = NO
COMBINE_HIDPI_IMAGES = NO
COMPILER_INDEX_STORE_ENABLE = Default
COMPOSITE_SDK_DIRS = /Users/filiph/dev/hn_app/build/ios/CompositeSDKs
COMPRESS_PNG_FILES = YES
CONFIGURATION = Release
CONFIGURATION_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos
CONFIGURATION_TEMP_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos
CONTENTS_FOLDER_PATH = Runner.app
COPYING_PRESERVES_HFS_DATA = NO
COPY_HEADERS_RUN_UNIFDEF = NO
COPY_PHASE_STRIP = NO
COPY_RESOURCES_FROM_STATIC_FRAMEWORKS = YES
CORRESPONDING_SIMULATOR_PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform
CORRESPONDING_SIMULATOR_PLATFORM_NAME = iphonesimulator
CORRESPONDING_SIMULATOR_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
CORRESPONDING_SIMULATOR_SDK_NAME = iphonesimulator11.4
CP = /bin/cp
CREATE_INFOPLIST_SECTION_IN_BINARY = NO
CURRENT_ARCH = arm64
CURRENT_VARIANT = normal
DEAD_CODE_STRIPPING = YES
DEBUGGING_SYMBOLS = YES
DEBUG_INFORMATION_FORMAT = dwarf-with-dsym
DEFAULT_COMPILER = com.apple.compilers.llvm.clang.1_0
DEFAULT_KEXT_INSTALL_PATH = /System/Library/Extensions
DEFINES_MODULE = NO
DEPLOYMENT_LOCATION = NO
DEPLOYMENT_POSTPROCESSING = NO
DEPLOYMENT_TARGET_CLANG_ENV_NAME = IPHONEOS_DEPLOYMENT_TARGET
DEPLOYMENT_TARGET_CLANG_FLAG_NAME = miphoneos-version-min
DEPLOYMENT_TARGET_CLANG_FLAG_PREFIX = -miphoneos-version-min=
DEPLOYMENT_TARGET_SETTING_NAME = IPHONEOS_DEPLOYMENT_TARGET
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.1 11.2 11.3 11.4
DERIVED_FILES_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DERIVED_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DERIVED_SOURCES_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
DEVELOPER_FRAMEWORKS_DIR = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_FRAMEWORKS_DIR_QUOTED = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/Developer/Library
DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs
DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Tools
DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
DEVELOPMENT_LANGUAGE = English
DOCUMENTATION_FOLDER_PATH = Runner.app/English.lproj/Documentation
DO_HEADER_SCANNING_IN_JAM = NO
DSTROOT = /tmp/Runner.dst
DT_TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
DWARF_DSYM_FILE_NAME = Runner.app.dSYM
DWARF_DSYM_FILE_SHOULD_ACCOMPANY_PRODUCT = NO
DWARF_DSYM_FOLDER_PATH = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos
EFFECTIVE_PLATFORM_NAME = -iphoneos
EMBEDDED_CONTENT_CONTAINS_SWIFT = NO
EMBEDDED_PROFILE_NAME = embedded.mobileprovision
EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE = NO
ENABLE_BITCODE = NO
ENABLE_DEFAULT_HEADER_SEARCH_PATHS = YES
ENABLE_HEADER_DEPENDENCIES = YES
ENABLE_NS_ASSERTIONS = NO
ENABLE_ON_DEMAND_RESOURCES = YES
ENABLE_STRICT_OBJC_MSGSEND = YES
ENABLE_TESTABILITY = NO
ENTITLEMENTS_ALLOWED = YES
ENTITLEMENTS_REQUIRED = YES
EXCLUDED_INSTALLSRC_SUBDIRECTORY_PATTERNS = .DS_Store .svn .git .hg CVS
EXCLUDED_RECURSIVE_SEARCH_PATH_SUBDIRECTORIES = *.nib *.lproj *.framework *.gch *.xcode* *.xcassets (*) .DS_Store CVS .svn .git .hg *.pbproj *.pbxproj
EXECUTABLES_FOLDER_PATH = Runner.app/Executables
EXECUTABLE_FOLDER_PATH = Runner.app
EXECUTABLE_NAME = Runner
EXECUTABLE_PATH = Runner.app/Runner
EXPANDED_CODE_SIGN_IDENTITY =
EXPANDED_CODE_SIGN_IDENTITY_NAME =
EXPANDED_PROVISIONING_PROFILE =
FILE_LIST = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects/LinkFileList
FIXED_FILES_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/FixedFiles
FLUTTER_APPLICATION_PATH = /Users/filiph/dev/hn_app
FLUTTER_BUILD_DIR = build
FLUTTER_BUILD_MODE = debug
FLUTTER_FRAMEWORK_DIR = /Users/filiph/dev/flutter/bin/cache/artifacts/engine/ios
FLUTTER_ROOT = /Users/filiph/dev/flutter
FLUTTER_TARGET = lib/main.dart
FRAMEWORKS_FOLDER_PATH = Runner.app/Frameworks
FRAMEWORK_FLAG_PREFIX = -framework
FRAMEWORK_SEARCH_PATHS = "/Users/filiph/dev/hn_app/build/ios/Release-iphoneos/url_launcher" "/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios" "/Users/filiph/dev/hn_app/build/ios/Release-iphoneos/url_launcher" "/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios" /Users/filiph/dev/hn_app/ios/Flutter
FRAMEWORK_VERSION = A
FULL_PRODUCT_NAME = Runner.app
GCC3_VERSION = 3.3
GCC_C_LANGUAGE_STANDARD = gnu99
GCC_INLINES_ARE_PRIVATE_EXTERN = YES
GCC_NO_COMMON_BLOCKS = YES
GCC_PFE_FILE_C_DIALECTS = c objective-c c++ objective-c++
GCC_PREPROCESSOR_DEFINITIONS = COCOAPODS=1 COCOAPODS=1
GCC_SYMBOLS_PRIVATE_EXTERN = YES
GCC_THUMB_SUPPORT = YES
GCC_TREAT_WARNINGS_AS_ERRORS = NO
GCC_VERSION = com.apple.compilers.llvm.clang.1_0
GCC_VERSION_IDENTIFIER = com_apple_compilers_llvm_clang_1_0
GCC_WARN_64_TO_32_BIT_CONVERSION = YES
GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR
GCC_WARN_UNDECLARED_SELECTOR = YES
GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE
GCC_WARN_UNUSED_FUNCTION = YES
GCC_WARN_UNUSED_VARIABLE = YES
GENERATE_MASTER_OBJECT_FILE = NO
GENERATE_PKGINFO_FILE = YES
GENERATE_PROFILING_CODE = NO
GENERATE_TEXT_BASED_STUBS = NO
GID = 5000
GROUP = eng
HEADERMAP_INCLUDES_FLAT_ENTRIES_FOR_TARGET_BEING_BUILT = YES
HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_ALL_PRODUCT_TYPES = YES
HEADERMAP_INCLUDES_NONPUBLIC_NONPRIVATE_HEADERS = YES
HEADERMAP_INCLUDES_PROJECT_HEADERS = YES
HEADERMAP_USES_FRAMEWORK_PREFIX_ENTRIES = YES
HEADERMAP_USES_VFS = NO
HIDE_BITCODE_SYMBOLS = YES
HOME = /Users/filiph
ICONV = /usr/bin/iconv
INFOPLIST_EXPAND_BUILD_SETTINGS = YES
INFOPLIST_FILE = Runner/Info.plist
INFOPLIST_OUTPUT_FORMAT = binary
INFOPLIST_PATH = Runner.app/Info.plist
INFOPLIST_PREPROCESS = NO
INFOSTRINGS_PATH = Runner.app/English.lproj/InfoPlist.strings
INLINE_PRIVATE_FRAMEWORKS = NO
INSTALLHDRS_COPY_PHASE = NO
INSTALLHDRS_SCRIPT_PHASE = NO
INSTALL_DIR = /tmp/Runner.dst/Applications
INSTALL_GROUP = eng
INSTALL_MODE_FLAG = u+w,go-w,a+rX
INSTALL_OWNER = filiph
INSTALL_PATH = /Applications
INSTALL_ROOT = /tmp/Runner.dst
IPHONEOS_DEPLOYMENT_TARGET = 8.0
JAVAC_DEFAULT_FLAGS = -J-Xms64m -J-XX:NewSize=4M -J-Dfile.encoding=UTF8
JAVA_APP_STUB = /System/Library/Frameworks/JavaVM.framework/Resources/MacOS/JavaApplicationStub
JAVA_ARCHIVE_CLASSES = YES
JAVA_ARCHIVE_TYPE = JAR
JAVA_COMPILER = /usr/bin/javac
JAVA_FOLDER_PATH = Runner.app/Java
JAVA_FRAMEWORK_RESOURCES_DIRS = Resources
JAVA_JAR_FLAGS = cv
JAVA_SOURCE_SUBDIR = .
JAVA_USE_DEPENDENCIES = YES
JAVA_ZIP_FLAGS = -urg
JIKES_DEFAULT_FLAGS = +E +OLDCSO
KASAN_DEFAULT_CFLAGS = -DKASAN=1 -fsanitize=address -mllvm -asan-globals-live-support -mllvm -asan-force-dynamic-shadow
KEEP_PRIVATE_EXTERNS = NO
LD_DEPENDENCY_INFO_FILE = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects-normal/arm64/Runner_dependency_info.dat
LD_GENERATE_MAP_FILE = NO
LD_MAP_FILE_PATH = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/Runner-LinkMap-normal-arm64.txt
LD_NO_PIE = NO
LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER = YES
LD_RUNPATH_SEARCH_PATHS = '@executable_path/Frameworks' '@loader_path/Frameworks' '@executable_path/Frameworks' '@loader_path/Frameworks' @executable_path/Frameworks
LEGACY_DEVELOPER_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer
LEX = lex
LIBRARY_FLAG_NOSPACE = YES
LIBRARY_FLAG_PREFIX = -l
LIBRARY_KEXT_INSTALL_PATH = /Library/Extensions
LIBRARY_SEARCH_PATHS = /Users/filiph/dev/hn_app/ios/Flutter
LINKER_DISPLAYS_MANGLED_NAMES = NO
LINK_FILE_LIST_normal_arm64 =
LINK_WITH_STANDARD_LIBRARIES = YES
LOCALIZABLE_CONTENT_DIR =
LOCALIZED_RESOURCES_FOLDER_PATH = Runner.app/English.lproj
LOCALIZED_STRING_MACRO_NAMES = NSLocalizedString CFLocalizedString
LOCAL_ADMIN_APPS_DIR = /Applications/Utilities
LOCAL_APPS_DIR = /Applications
LOCAL_DEVELOPER_DIR = /Library/Developer
LOCAL_LIBRARY_DIR = /Library
LOCROOT =
LOCSYMROOT =
MACH_O_TYPE = mh_execute
MAC_OS_X_PRODUCT_BUILD_VERSION = 17E202
MAC_OS_X_VERSION_ACTUAL = 101304
MAC_OS_X_VERSION_MAJOR = 101300
MAC_OS_X_VERSION_MINOR = 1304
METAL_LIBRARY_FILE_BASE = default
METAL_LIBRARY_OUTPUT_DIR = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos/Runner.app
MODULE_CACHE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex
MTL_ENABLE_DEBUG_INFO = NO
NATIVE_ARCH = armv7
NATIVE_ARCH_32_BIT = i386
NATIVE_ARCH_64_BIT = x86_64
NATIVE_ARCH_ACTUAL = x86_64
NO_COMMON = YES
OBJECT_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects
OBJECT_FILE_DIR_normal = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects-normal
OBJROOT = /Users/filiph/dev/hn_app/build/ios
ONLY_ACTIVE_ARCH = NO
OS = MACOS
OSAC = /usr/bin/osacompile
OTHER_CFLAGS = -iquote "/Users/filiph/dev/hn_app/build/ios/Release-iphoneos/url_launcher/url_launcher.framework/Headers" -iquote "/Users/filiph/dev/hn_app/build/ios/Release-iphoneos/url_launcher/url_launcher.framework/Headers"
OTHER_CPLUSPLUSFLAGS = -iquote "/Users/filiph/dev/hn_app/build/ios/Release-iphoneos/url_launcher/url_launcher.framework/Headers" -iquote "/Users/filiph/dev/hn_app/build/ios/Release-iphoneos/url_launcher/url_launcher.framework/Headers"
OTHER_LDFLAGS = -framework "Flutter" -framework "url_launcher" -framework "Flutter" -framework "url_launcher"
PACKAGE_TYPE = com.apple.package-type.wrapper.application
PASCAL_STRINGS = YES
PATH = /Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin
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/Developer/SDKs /Applications/Xcode.app/Contents/Developer/Platforms
PBDEVELOPMENTPLIST_PATH = Runner.app/pbdevelopment.plist
PFE_FILE_C_DIALECTS = objective-c
PKGINFO_FILE_PATH = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/PkgInfo
PKGINFO_PATH = Runner.app/PkgInfo
PLATFORM_DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Applications
PLATFORM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin
PLATFORM_DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer/Library
PLATFORM_DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs
PLATFORM_DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Tools
PLATFORM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr
PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform
PLATFORM_DISPLAY_NAME = iOS
PLATFORM_NAME = iphoneos
PLATFORM_PREFERRED_ARCH = arm64
PLATFORM_PRODUCT_BUILD_VERSION = 15F79
PLIST_FILE_OUTPUT_FORMAT = binary
PLUGINS_FOLDER_PATH = Runner.app/PlugIns
PODS_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios
PODS_CONFIGURATION_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos
PODS_PODFILE_DIR_PATH = /Users/filiph/dev/hn_app/ios/.
PODS_ROOT = /Users/filiph/dev/hn_app/ios/Pods
PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR = YES
PRECOMP_DESTINATION_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/PrefixHeaders
PRESERVE_DEAD_CODE_INITS_AND_TERMS = NO
PREVIEW_DART_2 = true
PRIVATE_HEADERS_FOLDER_PATH = Runner.app/PrivateHeaders
PRODUCT_BUNDLE_IDENTIFIER = hn_app.flutter.io.hnApp
PRODUCT_MODULE_NAME = Runner
PRODUCT_NAME = Runner
PRODUCT_SETTINGS_PATH = /Users/filiph/dev/hn_app/ios/Runner/Info.plist
PRODUCT_TYPE = com.apple.product-type.application
PROFILING_CODE = NO
PROJECT = Runner
PROJECT_DERIVED_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/DerivedSources
PROJECT_DIR = /Users/filiph/dev/hn_app/ios
PROJECT_FILE_PATH = /Users/filiph/dev/hn_app/ios/Runner.xcodeproj
PROJECT_NAME = Runner
PROJECT_TEMP_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build
PROJECT_TEMP_ROOT = /Users/filiph/dev/hn_app/build/ios
PROVISIONING_PROFILE_REQUIRED = YES
PUBLIC_HEADERS_FOLDER_PATH = Runner.app/Headers
RECURSIVE_SEARCH_PATHS_FOLLOW_SYMLINKS = YES
REMOVE_CVS_FROM_RESOURCES = YES
REMOVE_GIT_FROM_RESOURCES = YES
REMOVE_HEADERS_FROM_EMBEDDED_BUNDLES = YES
REMOVE_HG_FROM_RESOURCES = YES
REMOVE_SVN_FROM_RESOURCES = YES
RESOURCE_RULES_REQUIRED = YES
REZ_COLLECTOR_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/ResourceManagerResources
REZ_OBJECTS_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/ResourceManagerResources/Objects
SCAN_ALL_SOURCE_FILES_FOR_INCLUDES = NO
SCRIPTS_FOLDER_PATH = Runner.app/Scripts
SDKROOT = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.4.sdk
SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.4.sdk
SDK_DIR_iphoneos11_4 = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.4.sdk
SDK_NAME = iphoneos11.4
SDK_NAMES = iphoneos11.4
SDK_PRODUCT_BUILD_VERSION = 15F79
SDK_VERSION = 11.4
SDK_VERSION_ACTUAL = 110400
SDK_VERSION_MAJOR = 110000
SDK_VERSION_MINOR = 400
SED = /usr/bin/sed
SEPARATE_STRIP = NO
SEPARATE_SYMBOL_EDIT = NO
SET_DIR_MODE_OWNER_GROUP = YES
SET_FILE_MODE_OWNER_GROUP = NO
SHALLOW_BUNDLE = YES
SHARED_DERIVED_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos/DerivedSources
SHARED_FRAMEWORKS_FOLDER_PATH = Runner.app/SharedFrameworks
SHARED_PRECOMPS_DIR = /Users/filiph/dev/hn_app/build/ios/SharedPrecompiledHeaders
SHARED_SUPPORT_FOLDER_PATH = Runner.app/SharedSupport
SKIP_INSTALL = NO
SOURCE_ROOT = /Users/filiph/dev/hn_app/ios
SRCROOT = /Users/filiph/dev/hn_app/ios
STRINGS_FILE_OUTPUT_ENCODING = binary
STRIP_BITCODE_FROM_COPIED_FILES = YES
STRIP_INSTALLED_PRODUCT = YES
STRIP_STYLE = all
STRIP_SWIFT_SYMBOLS = YES
SUPPORTED_DEVICE_FAMILIES = 1,2
SUPPORTED_PLATFORMS = iphonesimulator iphoneos
SUPPORTS_TEXT_BASED_API = NO
SWIFT_COMPILATION_MODE = wholemodule
SWIFT_OBJC_BRIDGING_HEADER = Runner/Runner-Bridging-Header.h
SWIFT_OPTIMIZATION_LEVEL = -O
SWIFT_PLATFORM_TARGET_PREFIX = ios
SWIFT_SWIFT3_OBJC_INFERENCE = On
SWIFT_VERSION = 4.0
SYMROOT = /Users/filiph/dev/hn_app/build/ios
SYSTEM_ADMIN_APPS_DIR = /Applications/Utilities
SYSTEM_APPS_DIR = /Applications
SYSTEM_CORE_SERVICES_DIR = /System/Library/CoreServices
SYSTEM_DEMOS_DIR = /Applications/Extras
SYSTEM_DEVELOPER_APPS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
SYSTEM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
SYSTEM_DEVELOPER_DEMOS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built Examples
SYSTEM_DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
SYSTEM_DEVELOPER_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library
SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Graphics Tools
SYSTEM_DEVELOPER_JAVA_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Java Tools
SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Performance Tools
SYSTEM_DEVELOPER_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes
SYSTEM_DEVELOPER_TOOLS = /Applications/Xcode.app/Contents/Developer/Tools
SYSTEM_DEVELOPER_TOOLS_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools
SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools
SYSTEM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
SYSTEM_DEVELOPER_UTILITIES_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities
SYSTEM_DOCUMENTATION_DIR = /Library/Documentation
SYSTEM_KEXT_INSTALL_PATH = /System/Library/Extensions
SYSTEM_LIBRARY_DIR = /System/Library
TAPI_VERIFY_MODE = ErrorsOnly
TARGETED_DEVICE_FAMILY = 1,2
TARGETNAME = Runner
TARGET_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos
TARGET_NAME = Runner
TARGET_TEMP_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_FILES_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_ROOT = /Users/filiph/dev/hn_app/build/ios
TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
TREAT_MISSING_BASELINES_AS_TEST_FAILURES = NO
UID = 74285
UNLOCALIZED_RESOURCES_FOLDER_PATH = Runner.app
UNSTRIPPED_PRODUCT = NO
USER = filiph
USER_APPS_DIR = /Users/filiph/Applications
USER_LIBRARY_DIR = /Users/filiph/Library
USE_DYNAMIC_NO_PIC = YES
USE_HEADERMAP = YES
USE_HEADER_SYMLINKS = NO
VALIDATE_PRODUCT = YES
VALID_ARCHS = arm64 armv7 armv7s
VERBOSE_PBXCP = NO
VERSIONPLIST_PATH = Runner.app/version.plist
VERSION_INFO_BUILDER = filiph
VERSION_INFO_FILE = Runner_vers.c
VERSION_INFO_STRING = "@(#)PROGRAM:Runner PROJECT:Runner-"
WRAPPER_EXTENSION = app
WRAPPER_NAME = Runner.app
WRAPPER_SUFFIX = .app
WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES = NO
XCODE_APP_SUPPORT_DIR = /Applications/Xcode.app/Contents/Developer/Library/Xcode
XCODE_PRODUCT_BUILD_VERSION = 9F1027a
XCODE_VERSION_ACTUAL = 0940
XCODE_VERSION_MAJOR = 0900
XCODE_VERSION_MINOR = 0940
XPCSERVICES_FOLDER_PATH = Runner.app/XPCServices
YACC = yacc
arch = arm64
variant = normal
[ +13 ms] Building Runner.app for 8C0199F9-DE6D-4A50-86F3-875D58FF15E6.
[ +9 ms] script /dev/null /usr/bin/log stream --style syslog --predicate processImagePath CONTAINS "8C0199F9-DE6D-4A50-86F3-875D58FF15E6"
[ +31 ms] [DEVICE LOG] Filtering the log data using "processImagePath CONTAINS "8C0199F9-DE6D-4A50-86F3-875D58FF15E6""
[ +5 ms] [DEVICE LOG] Timestamp (process)[PID]
[ +127 ms] Skipping kernel compilation. Fingerprint match.
[ +229 ms] Building bundle
[ ] Writing asset files to build/flutter_assets
[ +53 ms] Wrote build/flutter_assets
[ +1 ms] /usr/bin/xcrun simctl get_app_container 8C0199F9-DE6D-4A50-86F3-875D58FF15E6 hn_app.flutter.io.hnApp
[ ] /usr/bin/killall Runner
[ +163 ms] python -c import six
[ +131 ms] [ios/] /usr/bin/xcodebuild -list
[ +595 ms] Exit code 0 from: /usr/bin/xcodebuild -list
[ ] Information about project "Runner":
Targets:
Runner
Build Configurations:
Debug
Release
If no build configuration is specified and -scheme is not passed then "Release" is used.
Schemes:
Runner
[ +1 ms] Trying to resolve native pub services.
[ +1 ms] Looking for YAML at 'pubspec.yaml'
[ ] No services specified in the manifest
[ ] Found 0 service definition(s).
[ ] Copying service frameworks to '/Users/filiph/dev/hn_app/ios/Frameworks'.
[ ] Creating service definitions manifest at 'ios/ServiceDefinitions.json'
[ +9 ms] pod --version
[ +778 ms] 1.5.3
/System/Library/Frameworks/Ruby.framework/Versions/2.3/usr/lib/ruby/2.3.0/universal-darwin17/rbconfig.rb:214: warning: Insecure world writable dir /usr/local/git in PATH, mode 040757
Ignoring eventmachine-1.2.5 because its extensions are not built. Try: gem pristine eventmachine --version 1.2.5
Ignoring executable-hooks-1.3.2 because its extensions are not built. Try: gem pristine executable-hooks --version 1.3.2
Ignoring fast-stemmer-1.0.2 because its extensions are not built. Try: gem pristine fast-stemmer --version 1.0.2
Ignoring ffi-1.9.23 because its extensions are not built. Try: gem pristine ffi --version 1.9.23
Ignoring ffi-1.9.18 because its extensions are not built. Try: gem pristine ffi --version 1.9.18
Ignoring ffi-1.9.17 because its extensions are not built. Try: gem pristine ffi --version 1.9.17
Ignoring ffi-1.9.14 because its extensions are not built. Try: gem pristine ffi --version 1.9.14
Ignoring ffi-1.9.10 because its extensions are not built. Try: gem pristine ffi --version 1.9.10
Ignoring ffi-1.9.6 because its extensions are not built. Try: gem pristine ffi --version 1.9.6
Ignoring gem-wrappers-1.2.7 because its extensions are not built. Try: gem pristine gem-wrappers --version 1.2.7
Ignoring hitimes-1.2.2 because its extensions are not built. Try: gem pristine hitimes --version 1.2.2
Ignoring http_parser.rb-0.6.0 because its extensions are not built. Try: gem pristine http_parser.rb --version 0.6.0
Ignoring nokogiri-1.8.2 because its extensions are not built. Try: gem pristine nokogiri --version 1.8.2
Ignoring nokogiri-1.8.1 because its extensions are not built. Try: gem pristine nokogiri --version 1.8.1
Ignoring nokogiri-1.8.0 because its extensions are not built. Try: gem pristine nokogiri --version 1.8.0
Ignoring nokogiri-1.7.0.1 because its extensions are not built. Try: gem pristine nokogiri --version 1.7.0.1
Ignoring nokogiri-1.6.8.1 because its extensions are not built. Try: gem pristine nokogiri --version 1.6.8.1
Ignoring nokogiri-1.6.8 because its extensions are not built. Try: gem pristine nokogiri --version 1.6.8
Ignoring nokogiri-1.5.11 because its extensions are not built. Try: gem pristine nokogiri --version 1.5.11
Ignoring posix-spawn-0.3.9 because its extensions are not built. Try: gem pristine posix-spawn --version 0.3.9
Ignoring redcarpet-3.2.2 because its extensions are not built. Try: gem pristine redcarpet --version 3.2.2
Ignoring therubyracer-0.12.3 because its extensions are not built. Try: gem pristine therubyracer --version 0.12.3
Ignoring yajl-ruby-1.1.0 because its extensions are not built. Try: gem pristine yajl-ruby --version 1.1.0
[ +4 ms] mkfifo /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
[ +5 ms] Exit code 0 from: mkfifo /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
[ +1 ms] Starting Xcode build...
[ ] [ios/] /usr/bin/env xcrun xcodebuild -configuration Debug VERBOSE_SCRIPT_LOGGING=YES -workspace Runner.xcworkspace -scheme Runner BUILD_DIR=/Users/filiph/dev/hn_app/build/ios -sdk iphonesimulator -arch x86_64 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
[+1077 ms] ├─Assembling Flutter resources...
[+1176 ms] └─Compiling, linking and signing...
[+3772 ms] Build settings from command line:
ARCHS = x86_64
BUILD_DIR = /Users/filiph/dev/hn_app/build/ios
SCRIPT_OUTPUT_STREAM_FILE = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
SDKROOT = iphonesimulator11.4
VERBOSE_SCRIPT_LOGGING = YES
=== BUILD TARGET url_launcher OF PROJECT Pods WITH CONFIGURATION Debug ===
Check dependencies
=== BUILD TARGET Pods-Runner OF PROJECT Pods WITH CONFIGURATION Debug ===
Check dependencies
=== BUILD TARGET Runner OF PROJECT Runner WITH CONFIGURATION Debug ===
Check dependencies
The use of Swift 3 @objc inference in Swift 4 mode is deprecated. Please address deprecated @objc inference warnings, test your code with “Use of deprecated Swift 3 @objc inference” logging enabled, and then disable inference by changing the "Swift 3 @objc Inference" build setting to "Default" for the "Runner" target.
PhaseScriptExecution [CP]\ Check\ Pods\ Manifest.lock /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-29C214C214C14893FC40F685.sh
cd /Users/filiph/dev/hn_app/ios
/bin/sh -c /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-29C214C214C14893FC40F685.sh
PhaseScriptExecution Run\ Script /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh
cd /Users/filiph/dev/hn_app/ios
export ACTION=build
export AD_HOC_CODE_SIGNING_ALLOWED=YES
export ALTERNATE_GROUP=eng
export ALTERNATE_MODE=u+w,go-w,a+rX
export ALTERNATE_OWNER=filiph
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/filiph/dev/hn_app/build/ios
export BUILD_ROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Products
export BUILD_STYLE=
export BUILD_VARIANTS=normal
export BUILT_PRODUCTS_DIR=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export CACHE_ROOT=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/Xcode
export CCHROOT=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/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/filiph/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/JavaClasses
export CLEAN_PRECOMPS=YES
export CLONE_HEADERS=NO
export CODESIGNING_FOLDER_PATH=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
export CODE_SIGNING_ALLOWED=YES
export CODE_SIGNING_REQUIRED=YES
export CODE_SIGN_CONTEXT_CLASS=XCiPhoneSimulatorCodeSignContext
export CODE_SIGN_IDENTITY=-
export CODE_SIGN_INJECT_BASE_ENTITLEMENTS=YES
export COLOR_DIAGNOSTICS=NO
export COMBINE_HIDPI_IMAGES=NO
export COMMAND_MODE=legacy
export COMPILER_INDEX_STORE_ENABLE=Default
export COMPOSITE_SDK_DIRS=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/CompositeSDKs
export COMPRESS_PNG_FILES=YES
export CONFIGURATION=Debug
export CONFIGURATION_BUILD_DIR=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export CONFIGURATION_TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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.4.sdk
export CORRESPONDING_DEVICE_SDK_NAME=iphoneos11.4
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.1 11.2 11.3 11.4"
export DERIVED_FILES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
export DERIVED_FILE_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
export DERIVED_SOURCES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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 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_ACCOMPANY_PRODUCT=NO
export DWARF_DSYM_FOLDER_PATH=/Users/filiph/dev/hn_app/build/ios/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects/LinkFileList
export FIXED_FILES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/FixedFiles
export FLUTTER_APPLICATION_PATH=/Users/filiph/dev/hn_app
export FLUTTER_BUILD_DIR=build
export FLUTTER_BUILD_MODE=debug
export FLUTTER_FRAMEWORK_DIR=/Users/filiph/dev/flutter/bin/cache/artifacts/engine/ios
export FLUTTER_ROOT=/Users/filiph/dev/flutter
export FLUTTER_TARGET=lib/main.dart
export FRAMEWORKS_FOLDER_PATH=Runner.app/Frameworks
export FRAMEWORK_FLAG_PREFIX=-framework
export FRAMEWORK_SEARCH_PATHS="/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher /Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios /Users/filiph/dev/hn_app/ios/Flutter"
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 GCC_OPTIMIZATION_LEVEL=0
export GCC_PFE_FILE_C_DIALECTS="c objective-c c++ objective-c++"
export GCC_PREPROCESSOR_DEFINITIONS="DEBUG=1 COCOAPODS=1 COCOAPODS=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=5000
export GROUP=eng
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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include "
export HIDE_BITCODE_SYMBOLS=YES
export HOME=/Users/filiph
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=eng
export INSTALL_MODE_FLAG=u+w,go-w,a+rX
export INSTALL_OWNER=filiph
export INSTALL_PATH=/Applications
export INSTALL_ROOT=/tmp/Runner.dst
export IPHONEOS_DEPLOYMENT_TARGET=8.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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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"
export 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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator /Users/filiph/dev/hn_app/ios/Flutter"
export LINKER_DISPLAYS_MANGLED_NAMES=NO
export LINK_FILE_LIST_normal_x86_64=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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=17E202
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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
export MODULE_CACHE_DIR=/Users/filiph/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects
export OBJECT_FILE_DIR_normal=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal
export OBJROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex
export ONLY_ACTIVE_ARCH=YES
export OS=MACOS
export OSAC=/usr/bin/osacompile
export OTHER_CFLAGS=" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\""
export OTHER_CPLUSPLUSFLAGS=" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\""
export OTHER_LDFLAGS=" -framework \"Flutter\" -framework \"url_launcher\" -framework \"Flutter\" -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:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:/Users/filiph/.pub-cache/bin:/Users/filiph/gsutil:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
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/Developer/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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/filiph/dev/hn_app/build/ios
export PODS_CONFIGURATION_BUILD_DIR=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export PODS_PODFILE_DIR_PATH=/Users/filiph/dev/hn_app/ios/.
export PODS_ROOT=/Users/filiph/dev/hn_app/ios/Pods
export PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR=YES
export PRECOMP_DESTINATION_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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=hn_app.flutter.io.hnApp
export PRODUCT_MODULE_NAME=Runner
export PRODUCT_NAME=Runner
export PRODUCT_SETTINGS_PATH=/Users/filiph/dev/hn_app/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/DerivedSources
export PROJECT_DIR=/Users/filiph/dev/hn_app/ios
export PROJECT_FILE_PATH=/Users/filiph/dev/hn_app/ios/Runner.xcodeproj
export PROJECT_NAME=Runner
export PROJECT_TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build
export PROJECT_TEMP_ROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources
export REZ_OBJECTS_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources/Objects
export REZ_SEARCH_PATHS="/Users/filiph/dev/hn_app/build/ios/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 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_DIR_iphonesimulator11_4=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_NAME=iphonesimulator11.4
export SDK_NAMES=iphonesimulator11.4
export SDK_PRODUCT_BUILD_VERSION=15F79
export SDK_VERSION=11.4
export SDK_VERSION_ACTUAL=110400
export SDK_VERSION_MAJOR=110000
export SDK_VERSION_MINOR=400
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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/DerivedSources
export SHARED_FRAMEWORKS_FOLDER_PATH=Runner.app/SharedFrameworks
export SHARED_PRECOMPS_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders
export SHARED_SUPPORT_FOLDER_PATH=Runner.app/SharedSupport
export SKIP_INSTALL=NO
export SOURCE_ROOT=/Users/filiph/dev/hn_app/ios
export SRCROOT=/Users/filiph/dev/hn_app/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_OBJC_BRIDGING_HEADER=Runner/Runner-Bridging-Header.h
export SWIFT_OPTIMIZATION_LEVEL=-Onone
export SWIFT_PLATFORM_TARGET_PREFIX=ios
export SWIFT_SWIFT3_OBJC_INFERENCE=On
export SWIFT_VERSION=4.0
export SYMROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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_DEVELOPER_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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export TARGET_DEVICE_IDENTIFIER="dvtdevice-DVTiOSDeviceSimulatorPlaceholder-iphonesimulator:placeholder"
export TARGET_NAME=Runner
export TARGET_TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_FILES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_FILE_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_ROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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=74285
export UNLOCALIZED_RESOURCES_FOLDER_PATH=Runner.app
export UNSTRIPPED_PRODUCT=NO
export USER=filiph
export USER_APPS_DIR=/Users/filiph/Applications
export USER_LIBRARY_DIR=/Users/filiph/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 VERBOSE_SCRIPT_LOGGING=YES
export VERSIONPLIST_PATH=Runner.app/version.plist
export VERSION_INFO_BUILDER=filiph
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=9F1027a
export XCODE_VERSION_ACTUAL=0940
export XCODE_VERSION_MAJOR=0900
export XCODE_VERSION_MINOR=0940
export XPCSERVICES_FOLDER_PATH=Runner.app/XPCServices
export YACC=yacc
export arch=x86_64
export variant=normal
/bin/sh -c /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh
♦ mkdir -p -- /Users/filiph/dev/hn_app/ios/Flutter
♦ rm -rf -- /Users/filiph/dev/hn_app/ios/Flutter/Flutter.framework
♦ rm -rf -- /Users/filiph/dev/hn_app/ios/Flutter/App.framework
♦ cp -r -- /Users/filiph/dev/flutter/bin/cache/artifacts/engine/ios/Flutter.framework /Users/filiph/dev/hn_app/ios/Flutter
♦ find /Users/filiph/dev/hn_app/ios/Flutter/Flutter.framework -type f -exec chmod a-w {} ;
♦ mkdir -p -- /Users/filiph/dev/hn_app/ios/Flutter/App.framework
♦ eval
♦ cp -- /Users/filiph/dev/hn_app/ios/Flutter/AppFrameworkInfo.plist /Users/filiph/dev/hn_app/ios/Flutter/App.framework/Info.plist
♦ /Users/filiph/dev/flutter/bin/flutter --suppress-analytics --verbose build bundle --target=lib/main.dart --snapshot=build/snapshot_blob.bin --depfile=build/snapshot_blob.bin.d --asset-dir=/Users/filiph/dev/hn_app/ios/Flutter/flutter_assets --preview-dart-2
[ +6 ms] [/Users/filiph/dev/flutter/] git rev-parse --abbrev-ref --symbolic @{u}
[ +35 ms] Exit code 0 from: git rev-parse --abbrev-ref --symbolic @{u}
[ ] origin/beta
[ ] [/Users/filiph/dev/flutter/] git rev-parse --abbrev-ref HEAD
[ +5 ms] Exit code 0 from: git rev-parse --abbrev-ref HEAD
[ ] beta
[ ] [/Users/filiph/dev/flutter/] git ls-remote --get-url origin
[ +5 ms] Exit code 0 from: git ls-remote --get-url origin
[ ] https://github.com/flutter/flutter.git
[ ] [/Users/filiph/dev/flutter/] git log -n 1 --pretty=format:%H
[ +5 ms] Exit code 0 from: git log -n 1 --pretty=format:%H
[ ] f9bb4289e9fd861d70ae78bcc3a042ef1b35cc9d
[ ] [/Users/filiph/dev/flutter/] git log -n 1 --pretty=format:%ar
[ +5 ms] Exit code 0 from: git log -n 1 --pretty=format:%ar
[ ] 3 weeks ago
[ ] [/Users/filiph/dev/flutter/] git describe --match v*.*.* --first-parent --long --tags
[ +6 ms] Exit code 0 from: git describe --match v*.*.* --first-parent --long --tags
[ ] v0.4.4-0-gf9bb4289e
[ +206 ms] Found plugin url_launcher at /Users/filiph/dev/flutter/.pub-cache/hosted/pub.dartlang.org/url_launcher-3.0.2/
[ +281 ms] Skipping kernel compilation. Fingerprint match.
[ +194 ms] Building bundle
[ ] Writing asset files to /Users/filiph/dev/hn_app/ios/Flutter/flutter_assets
[ +80 ms] Wrote /Users/filiph/dev/hn_app/ios/Flutter/flutter_assets
[ +10 ms] "flutter bundle" took 661ms.
Project /Users/filiph/dev/hn_app built and packaged successfully.
CompileSwiftSources normal x86_64 com.apple.xcode.tools.swift.compiler
cd /Users/filiph/dev/hn_app/ios
export DEVELOPER_DIR=/Applications/Xcode.app/Contents/Developer
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swiftc -incremental -module-name Runner -Onone -enforce-exclusivity=checked -Xfrontend -enable-swift3-objc-inference -Xfrontend -warn-swift3-objc-inference-minimal -sdk /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -target x86_64-apple-ios8.0 -g -module-cache-path /Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -Xfrontend -serialize-debugging-options -enable-testing -index-store-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Index/DataStore -swift-version 4 -I /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher -F /Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios -F /Users/filiph/dev/hn_app/ios/Flutter -parse-as-library -c -j8 /Users/filiph/dev/hn_app/ios/Runner/AppDelegate.swift -output-file-map /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner-OutputFileMap.json -parseable-output -serialize-diagnostics -emit-dependencies -emit-module -emit-module-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.swiftmodule -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/swift-overrides.hmap -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-non-framework-target-headers.hmap -Xcc -ivfsoverlay -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/all-product-headers.yaml -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -Xcc -I/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -Xcc -DDEBUG=1 -Xcc -DCOCOAPODS=1 -Xcc -DCOCOAPODS=1 -emit-objc-header -emit-objc-header-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner-Swift.h -import-objc-header /Users/filiph/dev/hn_app/ios/Runner/Runner-Bridging-Header.h -pch-output-dir /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders -Xcc -working-directory/Users/filiph/dev/hn_app/ios
PrecompileSwiftBridgingHeader normal x86_64
cd /Users/filiph/dev/hn_app/ios
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swift -frontend -target x86_64-apple-ios8.0 -enable-objc-interop -sdk /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -I /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher -F /Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios -F /Users/filiph/dev/hn_app/ios/Flutter -enable-testing -g -module-cache-path /Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -swift-version 4 -enforce-exclusivity=checked -Onone -enable-swift3-objc-inference -warn-swift3-objc-inference-minimal -serialize-debugging-options -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/swift-overrides.hmap -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-non-framework-target-headers.hmap -Xcc -ivfsoverlay -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/all-product-headers.yaml -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -Xcc -I/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -Xcc -DDEBUG=1 -Xcc -DCOCOAPODS=1 -Xcc -DCOCOAPODS=1 -Xcc -working-directory/Users/filiph/dev/hn_app/ios -serialize-diagnostics-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders/Runner-Bridging-Header-1C2XJGQ58QHUF.dia /Users/filiph/dev/hn_app/ios/Runner/Runner-Bridging-Header.h -index-store-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Index/DataStore -emit-pch -pch-output-dir /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders
fatal error: file '/Users/filiph/dev/hn_app/ios/Runner/GeneratedPluginRegistrant.h' has been modified since the precompiled header '/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders/Runner-Bridging-Header-swift_SBYI18I7DX3W-clang_2IFQ2RUXKFQCN.pch' was built
note: please rebuild precompiled header '/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders/Runner-Bridging-Header-swift_SBYI18I7DX3W-clang_2IFQ2RUXKFQCN.pch'
CompileSwift normal x86_64 /Users/filiph/dev/hn_app/ios/Runner/AppDelegate.swift
cd /Users/filiph/dev/hn_app/ios
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swift -frontend -c -primary-file /Users/filiph/dev/hn_app/ios/Runner/AppDelegate.swift -target x86_64-apple-ios8.0 -enable-objc-interop -sdk /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -I /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher -F /Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios -F /Users/filiph/dev/hn_app/ios/Flutter -enable-testing -g -module-cache-path /Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -swift-version 4 -enforce-exclusivity=checked -Onone -enable-swift3-objc-inference -warn-swift3-objc-inference-minimal -serialize-debugging-options -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/swift-overrides.hmap -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-non-framework-target-headers.hmap -Xcc -ivfsoverlay -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/all-product-headers.yaml -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -Xcc -I/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -Xcc -DDEBUG=1 -Xcc -DCOCOAPODS=1 -Xcc -DCOCOAPODS=1 -Xcc -working-directory/Users/filiph/dev/hn_app/ios -emit-module-doc-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc -serialize-diagnostics-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.dia -import-objc-header /Users/filiph/dev/hn_app/ios/Runner/Runner-Bridging-Header.h -pch-output-dir /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders -pch-disable-validation -parse-as-library -module-name Runner -emit-module-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule -emit-dependencies-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.d -emit-reference-dependencies-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.swiftdeps -o /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.o -index-store-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Index/DataStore -index-system-modules
MergeSwiftModule normal x86_64 /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.swiftmodule
cd /Users/filiph/dev/hn_app/ios
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swift -frontend -merge-modules -emit-module /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule -parse-as-library -sil-merge-partial-modules -disable-diagnostic-passes -disable-sil-perf-optzns -target x86_64-apple-ios8.0 -enable-objc-interop -sdk /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -I /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher -F /Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios -F /Users/filiph/dev/hn_app/ios/Flutter -enable-testing -g -module-cache-path /Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -swift-version 4 -enforce-exclusivity=checked -Onone -enable-swift3-objc-inference -warn-swift3-objc-inference-minimal -serialize-debugging-options -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/swift-overrides.hmap -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-non-framework-target-headers.hmap -Xcc -ivfsoverlay -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/all-product-headers.yaml -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -Xcc -I/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -Xcc -DDEBUG=1 -Xcc -DCOCOAPODS=1 -Xcc -DCOCOAPODS=1 -Xcc -working-directory/Users/filiph/dev/hn_app/ios -emit-module-doc-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.swiftdoc -import-objc-header /Users/filiph/dev/hn_app/ios/Runner/Runner-Bridging-Header.h -module-name Runner -emit-objc-header-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner-Swift.h -o /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.swiftmodule
CompileC /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.o Runner/GeneratedPluginRegistrant.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/filiph/dev/hn_app/ios
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu99 -fobjc-arc -fmodules -gmodules -fmodules-cache-path=/Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wunreachable-code -Wno-implicit-atomic-properties -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-arc-repeated-use-of-weak -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wno-deprecated-implementations -DDEBUG=1 -DCOCOAPODS=1 -DCOCOAPODS=1 -DOBJC_OLD_DISPATCH_PROTOTYPES=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -fobjc-abi-version=2 -fobjc-legacy-dispatch -index-store-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Index/DataStore -iquote /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-non-framework-target-headers.hmap -ivfsoverlay /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/all-product-headers.yaml -iquote /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -I/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -F/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher -F/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios -F/Users/filiph/dev/hn_app/ios/Flutter -iquote /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers -iquote /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers -MMD -MT dependencies -MF /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.d --serialize-diagnostics /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.dia -c /Users/filiph/dev/hn_app/ios/Runner/GeneratedPluginRegistrant.m -o /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.o
Ld /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Runner normal x86_64
cd /Users/filiph/dev/hn_app/ios
export IPHONEOS_DEPLOYMENT_TARGET=8.0
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -arch x86_64 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -L/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -L/Users/filiph/dev/hn_app/ios/Flutter -F/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher -F/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios -F/Users/filiph/dev/hn_app/ios/Flutter -filelist /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.LinkFileList -Xlinker -rpath -Xlinker @executable_path/Frameworks -Xlinker -rpath -Xlinker @loader_path/Frameworks -Xlinker -rpath -Xlinker @executable_path/Frameworks -Xlinker -rpath -Xlinker @loader_path/Frameworks -Xlinker -rpath -Xlinker @executable_path/Frameworks -mios-simulator-version-min=8.0 -dead_strip -Xlinker -object_path_lto -Xlinker /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_lto.o -Xlinker -export_dynamic -Xlinker -no_deduplicate -Xlinker -objc_abi_version -Xlinker 2 -fobjc-arc -fobjc-link-runtime -L/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator -Xlinker -add_ast_path -Xlinker /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.swiftmodule -framework Flutter -framework url_launcher -framework Flutter -framework url_launcher -Xlinker -sectcreate -Xlinker __TEXT -Xlinker __entitlements -Xlinker /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner.app-Simulated.xcent -framework Flutter -framework App -framework Pods_Runner -Xlinker -dependency_info -Xlinker /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_dependency_info.dat -o /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Runner
CpResource Flutter/Generated.xcconfig /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Generated.xcconfig
cd /Users/filiph/dev/hn_app/ios
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
builtin-copy -exclude .DS_Store -exclude CVS -exclude .svn -exclude .git -exclude .hg -resolve-src-symlinks /Users/filiph/dev/hn_app/ios/Flutter/Generated.xcconfig /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
CpResource Flutter/flutter_assets /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/flutter_assets
cd /Users/filiph/dev/hn_app/ios
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
builtin-copy -exclude .DS_Store -exclude CVS -exclude .svn -exclude .git -exclude .hg -resolve-src-symlinks /Users/filiph/dev/hn_app/ios/Flutter/flutter_assets /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
PBXCp Flutter/App.framework /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/App.framework
cd /Users/filiph/dev/hn_app/ios
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
builtin-copy -exclude .DS_Store -exclude CVS -exclude .svn -exclude .git -exclude .hg -exclude Headers -exclude PrivateHeaders -exclude Modules -exclude *.tbd -resolve-src-symlinks /Users/filiph/dev/hn_app/ios/Flutter/App.framework /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks
PBXCp Flutter/Flutter.framework /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework
cd /Users/filiph/dev/hn_app/ios
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
builtin-copy -exclude .DS_Store -exclude CVS -exclude .svn -exclude .git -exclude .hg -exclude Headers -exclude PrivateHeaders -exclude Modules -exclude *.tbd -resolve-src-symlinks /Users/filiph/dev/hn_app/ios/Flutter/Flutter.framework /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks
CodeSign /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/App.framework
cd /Users/filiph/dev/hn_app/ios
export CODESIGN_ALLOCATE=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/codesign_allocate
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
Signing Identity: "-"
/usr/bin/codesign --force --sign - --preserve-metadata=identifier,entitlements,flags --timestamp=none /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/App.framework
PhaseScriptExecution Thin\ Binary /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-3B06AD1E1E4923F5004D2608.sh
cd /Users/filiph/dev/hn_app/ios
export ACTION=build
export AD_HOC_CODE_SIGNING_ALLOWED=YES
export ALTERNATE_GROUP=eng
export ALTERNATE_MODE=u+w,go-w,a+rX
export ALTERNATE_OWNER=filiph
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/filiph/dev/hn_app/build/ios
export BUILD_ROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Products
export BUILD_STYLE=
export BUILD_VARIANTS=normal
export BUILT_PRODUCTS_DIR=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export CACHE_ROOT=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/Xcode
export CCHROOT=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/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/filiph/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/JavaClasses
export CLEAN_PRECOMPS=YES
export CLONE_HEADERS=NO
export CODESIGNING_FOLDER_PATH=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
export CODE_SIGNING_ALLOWED=YES
export CODE_SIGNING_REQUIRED=YES
export CODE_SIGN_CONTEXT_CLASS=XCiPhoneSimulatorCodeSignContext
export CODE_SIGN_IDENTITY=-
export CODE_SIGN_INJECT_BASE_ENTITLEMENTS=YES
export COLOR_DIAGNOSTICS=NO
export COMBINE_HIDPI_IMAGES=NO
export COMMAND_MODE=legacy
export COMPILER_INDEX_STORE_ENABLE=Default
export COMPOSITE_SDK_DIRS=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/CompositeSDKs
export COMPRESS_PNG_FILES=YES
export CONFIGURATION=Debug
export CONFIGURATION_BUILD_DIR=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export CONFIGURATION_TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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.4.sdk
export CORRESPONDING_DEVICE_SDK_NAME=iphoneos11.4
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.1 11.2 11.3 11.4"
export DERIVED_FILES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
export DERIVED_FILE_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
export DERIVED_SOURCES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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 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_ACCOMPANY_PRODUCT=NO
export DWARF_DSYM_FOLDER_PATH=/Users/filiph/dev/hn_app/build/ios/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects/LinkFileList
export FIXED_FILES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/FixedFiles
export FLUTTER_APPLICATION_PATH=/Users/filiph/dev/hn_app
export FLUTTER_BUILD_DIR=build
export FLUTTER_BUILD_MODE=debug
export FLUTTER_FRAMEWORK_DIR=/Users/filiph/dev/flutter/bin/cache/artifacts/engine/ios
export FLUTTER_ROOT=/Users/filiph/dev/flutter
export FLUTTER_TARGET=lib/main.dart
export FRAMEWORKS_FOLDER_PATH=Runner.app/Frameworks
export FRAMEWORK_FLAG_PREFIX=-framework
export FRAMEWORK_SEARCH_PATHS="/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher /Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios /Users/filiph/dev/hn_app/ios/Flutter"
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 GCC_OPTIMIZATION_LEVEL=0
export GCC_PFE_FILE_C_DIALECTS="c objective-c c++ objective-c++"
export GCC_PREPROCESSOR_DEFINITIONS="DEBUG=1 COCOAPODS=1 COCOAPODS=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=5000
export GROUP=eng
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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include "
export HIDE_BITCODE_SYMBOLS=YES
export HOME=/Users/filiph
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=eng
export INSTALL_MODE_FLAG=u+w,go-w,a+rX
export INSTALL_OWNER=filiph
export INSTALL_PATH=/Applications
export INSTALL_ROOT=/tmp/Runner.dst
export IPHONEOS_DEPLOYMENT_TARGET=8.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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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"
export 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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator /Users/filiph/dev/hn_app/ios/Flutter"
export LINKER_DISPLAYS_MANGLED_NAMES=NO
export LINK_FILE_LIST_normal_x86_64=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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=17E202
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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
export MODULE_CACHE_DIR=/Users/filiph/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects
export OBJECT_FILE_DIR_normal=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal
export OBJROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex
export ONLY_ACTIVE_ARCH=YES
export OS=MACOS
export OSAC=/usr/bin/osacompile
export OTHER_CFLAGS=" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\""
export OTHER_CPLUSPLUSFLAGS=" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\""
export OTHER_LDFLAGS=" -framework \"Flutter\" -framework \"url_launcher\" -framework \"Flutter\" -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:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:/Users/filiph/.pub-cache/bin:/Users/filiph/gsutil:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
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/Developer/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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/filiph/dev/hn_app/build/ios
export PODS_CONFIGURATION_BUILD_DIR=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export PODS_PODFILE_DIR_PATH=/Users/filiph/dev/hn_app/ios/.
export PODS_ROOT=/Users/filiph/dev/hn_app/ios/Pods
export PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR=YES
export PRECOMP_DESTINATION_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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=hn_app.flutter.io.hnApp
export PRODUCT_MODULE_NAME=Runner
export PRODUCT_NAME=Runner
export PRODUCT_SETTINGS_PATH=/Users/filiph/dev/hn_app/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/DerivedSources
export PROJECT_DIR=/Users/filiph/dev/hn_app/ios
export PROJECT_FILE_PATH=/Users/filiph/dev/hn_app/ios/Runner.xcodeproj
export PROJECT_NAME=Runner
export PROJECT_TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build
export PROJECT_TEMP_ROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources
export REZ_OBJECTS_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources/Objects
export REZ_SEARCH_PATHS="/Users/filiph/dev/hn_app/build/ios/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 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_DIR_iphonesimulator11_4=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_NAME=iphonesimulator11.4
export SDK_NAMES=iphonesimulator11.4
export SDK_PRODUCT_BUILD_VERSION=15F79
export SDK_VERSION=11.4
export SDK_VERSION_ACTUAL=110400
export SDK_VERSION_MAJOR=110000
export SDK_VERSION_MINOR=400
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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/DerivedSources
export SHARED_FRAMEWORKS_FOLDER_PATH=Runner.app/SharedFrameworks
export SHARED_PRECOMPS_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders
export SHARED_SUPPORT_FOLDER_PATH=Runner.app/SharedSupport
export SKIP_INSTALL=NO
export SOURCE_ROOT=/Users/filiph/dev/hn_app/ios
export SRCROOT=/Users/filiph/dev/hn_app/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_OBJC_BRIDGING_HEADER=Runner/Runner-Bridging-Header.h
export SWIFT_OPTIMIZATION_LEVEL=-Onone
export SWIFT_PLATFORM_TARGET_PREFIX=ios
export SWIFT_SWIFT3_OBJC_INFERENCE=On
export SWIFT_VERSION=4.0
export SYMROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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_DEVELOPER_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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export TARGET_DEVICE_IDENTIFIER="dvtdevice-DVTiOSDeviceSimulatorPlaceholder-iphonesimulator:placeholder"
export TARGET_NAME=Runner
export TARGET_TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_FILES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_FILE_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_ROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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=74285
export UNLOCALIZED_RESOURCES_FOLDER_PATH=Runner.app
export UNSTRIPPED_PRODUCT=NO
export USER=filiph
export USER_APPS_DIR=/Users/filiph/Applications
export USER_LIBRARY_DIR=/Users/filiph/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 VERBOSE_SCRIPT_LOGGING=YES
export VERSIONPLIST_PATH=Runner.app/version.plist
export VERSION_INFO_BUILDER=filiph
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=9F1027a
export XCODE_VERSION_ACTUAL=0940
export XCODE_VERSION_MAJOR=0900
export XCODE_VERSION_MINOR=0940
export XPCSERVICES_FOLDER_PATH=Runner.app/XPCServices
export YACC=yacc
export arch=x86_64
export variant=normal
/bin/sh -c /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-3B06AD1E1E4923F5004D2608.sh
PhaseScriptExecution [CP]\ Embed\ Pods\ Frameworks /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-E7ABE1EB99D5153A5F4ED712.sh
cd /Users/filiph/dev/hn_app/ios
/bin/sh -c /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-E7ABE1EB99D5153A5F4ED712.sh
mkdir -p /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks
rsync --delete -av --filter P .*.?????? --filter "- CVS/" --filter "- .svn/" --filter "- .git/" --filter "- .hg/" --filter "- Headers" --filter "- PrivateHeaders" --filter "- Modules" "/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios/Flutter.framework" "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks"
building file list ... done
Flutter.framework/
Flutter.framework/Flutter
Flutter.framework/Info.plist
Flutter.framework/icudtl.dat
sent 73308715 bytes received 92 bytes 146617614.00 bytes/sec
total size is 73299467 speedup is 1.00
Stripped /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework/Flutter of architectures: armv7 arm64
Code Signing /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework with Identity -
/usr/bin/codesign --force --sign - --preserve-metadata=identifier,entitlements '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework'
rsync --delete -av --filter P .*.?????? --filter "- CVS/" --filter "- .svn/" --filter "- .git/" --filter "- .hg/" --filter "- Headers" --filter "- PrivateHeaders" --filter "- Modules" "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework" "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks"
building file list ... done
deleting url_launcher.framework/_CodeSignature/CodeResources
deleting url_launcher.framework/_CodeSignature/
url_launcher.framework/
url_launcher.framework/url_launcher
sent 50189 bytes received 48 bytes 100474.00 bytes/sec
total size is 50773 speedup is 1.01
Code Signing /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/url_launcher.framework with Identity -
/usr/bin/codesign --force --sign - --preserve-metadata=identifier,entitlements '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/url_launcher.framework'
CodeSign /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework
cd /Users/filiph/dev/hn_app/ios
export CODESIGN_ALLOCATE=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/codesign_allocate
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
Signing Identity: "-"
/usr/bin/codesign --force --sign - --preserve-metadata=identifier,entitlements,flags --timestamp=none /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework
/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework: replacing existing signature
CopySwiftLibs /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
cd /Users/filiph/dev/hn_app/ios
export CODESIGN_ALLOCATE=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/codesign_allocate
export DEVELOPER_DIR=/Applications/Xcode.app/Contents/Developer
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
builtin-swiftStdLibTool --copy --verbose --sign - --scan-executable /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Runner --scan-folder /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks --scan-folder /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/PlugIns --scan-folder /Users/filiph/dev/hn_app/ios/Flutter/Flutter.framework --scan-folder /Users/filiph/dev/hn_app/ios/Flutter/App.framework --scan-folder /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Pods_Runner.framework --platform iphonesimulator --toolchain /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain --destination /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks --strip-bitcode --resource-destination /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app --resource-library libswiftRemoteMirror.dylib
Requested Swift ABI version based on scanned binaries: 6
libswiftCore.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib
libswiftCoreAudio.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib
libswiftCoreFoundation.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib
libswiftCoreGraphics.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib
libswiftCoreImage.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib
libswiftCoreMedia.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib
libswiftDarwin.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib
libswiftDispatch.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib
libswiftFoundation.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib
libswiftMetal.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib
libswiftObjectiveC.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib
libswiftQuartzCore.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib
libswiftUIKit.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib
libswiftos.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib
libswiftRemoteMirror.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/libswiftRemoteMirror.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib is unchanged; keeping original
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylibProbing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib' /usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib'
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib'
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib'
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib'
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib'
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib'
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib'
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib is unchanged; keeping original
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib is unchanged; keeping original
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib is unchanged; keeping original
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib'
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib is unchanged; keeping original
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib is unchanged; keeping original
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib is unchanged; keeping original
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib is unchanged; keeping original
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib'
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib is unchanged; keeping original
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib is unchanged; keeping original
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib is unchanged; keeping original
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib is unchanged; keeping original
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib is unchanged; keeping original
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib is unchanged; keeping original
Touch /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
cd /Users/filiph/dev/hn_app/ios
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
/usr/bin/touch -c /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
CodeSign /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
cd /Users/filiph/dev/hn_app/ios
export CODESIGN_ALLOCATE=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/codesign_allocate
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
Signing Identity: "-"
/usr/bin/codesign --force --sign - --entitlements /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner.app.xcent --timestamp=none /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
** BUILD SUCCEEDED **
[ +18 ms] Xcode build done.
[ ] [ios/] /usr/bin/env xcrun xcodebuild -configuration Debug VERBOSE_SCRIPT_LOGGING=YES -workspace Runner.xcworkspace -scheme Runner BUILD_DIR=/Users/filiph/dev/hn_app/build/ios -sdk iphonesimulator -arch x86_64 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout -showBuildSettings
[ +718 ms] Exit code 0 from: /usr/bin/env xcrun xcodebuild -configuration Debug VERBOSE_SCRIPT_LOGGING=YES -workspace Runner.xcworkspace -scheme Runner BUILD_DIR=/Users/filiph/dev/hn_app/build/ios -sdk iphonesimulator -arch x86_64 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout -showBuildSettings
[ ] Build settings from command line:
ARCHS = x86_64
BUILD_DIR = /Users/filiph/dev/hn_app/build/ios
SCRIPT_OUTPUT_STREAM_FILE = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
SDKROOT = iphonesimulator11.4
VERBOSE_SCRIPT_LOGGING = YES
Build settings for action build and target Runner:
ACTION = build
AD_HOC_CODE_SIGNING_ALLOWED = YES
ALTERNATE_GROUP = eng
ALTERNATE_MODE = u+w,go-w,a+rX
ALTERNATE_OWNER = filiph
ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO
ALWAYS_SEARCH_USER_PATHS = NO
ALWAYS_USE_SEPARATE_HEADERMAPS = NO
APPLE_INTERNAL_DEVELOPER_DIR = /AppleInternal/Developer
APPLE_INTERNAL_DIR = /AppleInternal
APPLE_INTERNAL_DOCUMENTATION_DIR = /AppleInternal/Documentation
APPLE_INTERNAL_LIBRARY_DIR = /AppleInternal/Library
APPLE_INTERNAL_TOOLS = /AppleInternal/Developer/Tools
APPLICATION_EXTENSION_API_ONLY = NO
APPLY_RULES_IN_COPY_FILES = NO
ARCHS = x86_64
ARCHS_STANDARD = i386 x86_64
ARCHS_STANDARD_32_64_BIT = i386 x86_64
ARCHS_STANDARD_32_BIT = i386
ARCHS_STANDARD_64_BIT = x86_64
ARCHS_STANDARD_INCLUDING_64_BIT = i386 x86_64
ARCHS_UNIVERSAL_IPHONE_OS = i386 x86_64
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon
AVAILABLE_PLATFORMS = appletvos appletvsimulator iphoneos iphonesimulator macosx watchos watchsimulator
BITCODE_GENERATION_MODE = marker
BUILD_ACTIVE_RESOURCES_ONLY = NO
BUILD_COMPONENTS = headers build
BUILD_DIR = /Users/filiph/dev/hn_app/build/ios
BUILD_ROOT = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Products
BUILD_STYLE =
BUILD_VARIANTS = normal
BUILT_PRODUCTS_DIR = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
CACHE_ROOT = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/Xcode
CCHROOT = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/Xcode
CHMOD = /bin/chmod
CHOWN = /usr/sbin/chown
CLANG_ANALYZER_NONNULL = YES
CLANG_CXX_LANGUAGE_STANDARD = gnu++0x
CLANG_CXX_LIBRARY = libc++
CLANG_ENABLE_MODULES = YES
CLANG_ENABLE_OBJC_ARC = YES
CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES
CLANG_WARN_BOOL_CONVERSION = YES
CLANG_WARN_COMMA = YES
CLANG_WARN_CONSTANT_CONVERSION = YES
CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR
CLANG_WARN_EMPTY_BODY = YES
CLANG_WARN_ENUM_CONVERSION = YES
CLANG_WARN_INFINITE_RECURSION = YES
CLANG_WARN_INT_CONVERSION = YES
CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES
CLANG_WARN_OBJC_LITERAL_CONVERSION = YES
CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR
CLANG_WARN_RANGE_LOOP_ANALYSIS = YES
CLANG_WARN_STRICT_PROTOTYPES = YES
CLANG_WARN_SUSPICIOUS_MOVE = YES
CLANG_WARN_UNREACHABLE_CODE = YES
CLANG_WARN__DUPLICATE_METHOD_MATCH = YES
CLASS_FILE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/JavaClasses
CLEAN_PRECOMPS = YES
CLONE_HEADERS = NO
CODESIGNING_FOLDER_PATH = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
CODE_SIGNING_ALLOWED = YES
CODE_SIGNING_REQUIRED = YES
CODE_SIGN_CONTEXT_CLASS = XCiPhoneSimulatorCodeSignContext
CODE_SIGN_IDENTITY = -
CODE_SIGN_INJECT_BASE_ENTITLEMENTS = YES
COLOR_DIAGNOSTICS = NO
COMBINE_HIDPI_IMAGES = NO
COMPILER_INDEX_STORE_ENABLE = Default
COMPOSITE_SDK_DIRS = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/CompositeSDKs
COMPRESS_PNG_FILES = YES
CONFIGURATION = Debug
CONFIGURATION_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
CONFIGURATION_TEMP_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator
CONTENTS_FOLDER_PATH = Runner.app
COPYING_PRESERVES_HFS_DATA = NO
COPY_HEADERS_RUN_UNIFDEF = NO
COPY_PHASE_STRIP = NO
COPY_RESOURCES_FROM_STATIC_FRAMEWORKS = YES
CORRESPONDING_DEVICE_PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform
CORRESPONDING_DEVICE_PLATFORM_NAME = iphoneos
CORRESPONDING_DEVICE_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.4.sdk
CORRESPONDING_DEVICE_SDK_NAME = iphoneos11.4
CP = /bin/cp
CREATE_INFOPLIST_SECTION_IN_BINARY = NO
CURRENT_ARCH = x86_64
CURRENT_VARIANT = normal
DEAD_CODE_STRIPPING = YES
DEBUGGING_SYMBOLS = YES
DEBUG_INFORMATION_FORMAT = dwarf
DEFAULT_COMPILER = com.apple.compilers.llvm.clang.1_0
DEFAULT_KEXT_INSTALL_PATH = /System/Library/Extensions
DEFINES_MODULE = NO
DEPLOYMENT_LOCATION = NO
DEPLOYMENT_POSTPROCESSING = NO
DEPLOYMENT_TARGET_CLANG_ENV_NAME = IPHONEOS_DEPLOYMENT_TARGET
DEPLOYMENT_TARGET_CLANG_FLAG_NAME = mios-simulator-version-min
DEPLOYMENT_TARGET_CLANG_FLAG_PREFIX = -mios-simulator-version-min=
DEPLOYMENT_TARGET_SETTING_NAME = IPHONEOS_DEPLOYMENT_TARGET
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.1 11.2 11.3 11.4
DERIVED_FILES_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
DERIVED_FILE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
DERIVED_SOURCES_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
DEVELOPER_FRAMEWORKS_DIR = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_FRAMEWORKS_DIR_QUOTED = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/Developer/Library
DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs
DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Tools
DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
DEVELOPMENT_LANGUAGE = English
DOCUMENTATION_FOLDER_PATH = Runner.app/English.lproj/Documentation
DO_HEADER_SCANNING_IN_JAM = NO
DSTROOT = /tmp/Runner.dst
DT_TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
DWARF_DSYM_FILE_NAME = Runner.app.dSYM
DWARF_DSYM_FILE_SHOULD_ACCOMPANY_PRODUCT = NO
DWARF_DSYM_FOLDER_PATH = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
EFFECTIVE_PLATFORM_NAME = -iphonesimulator
EMBEDDED_CONTENT_CONTAINS_SWIFT = NO
EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE = NO
ENABLE_BITCODE = NO
ENABLE_DEFAULT_HEADER_SEARCH_PATHS = YES
ENABLE_HEADER_DEPENDENCIES = YES
ENABLE_ON_DEMAND_RESOURCES = YES
ENABLE_STRICT_OBJC_MSGSEND = YES
ENABLE_TESTABILITY = YES
ENTITLEMENTS_REQUIRED = YES
EXCLUDED_INSTALLSRC_SUBDIRECTORY_PATTERNS = .DS_Store .svn .git .hg CVS
EXCLUDED_RECURSIVE_SEARCH_PATH_SUBDIRECTORIES = *.nib *.lproj *.framework *.gch *.xcode* *.xcassets (*) .DS_Store CVS .svn .git .hg *.pbproj *.pbxproj
EXECUTABLES_FOLDER_PATH = Runner.app/Executables
EXECUTABLE_FOLDER_PATH = Runner.app
EXECUTABLE_NAME = Runner
EXECUTABLE_PATH = Runner.app/Runner
EXPANDED_CODE_SIGN_IDENTITY =
EXPANDED_CODE_SIGN_IDENTITY_NAME =
EXPANDED_PROVISIONING_PROFILE =
FILE_LIST = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects/LinkFileList
FIXED_FILES_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/FixedFiles
FLUTTER_APPLICATION_PATH = /Users/filiph/dev/hn_app
FLUTTER_BUILD_DIR = build
FLUTTER_BUILD_MODE = debug
FLUTTER_FRAMEWORK_DIR = /Users/filiph/dev/flutter/bin/cache/artifacts/engine/ios
FLUTTER_ROOT = /Users/filiph/dev/flutter
FLUTTER_TARGET = lib/main.dart
FRAMEWORKS_FOLDER_PATH = Runner.app/Frameworks
FRAMEWORK_FLAG_PREFIX = -framework
FRAMEWORK_SEARCH_PATHS = "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher" "/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios" "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher" "/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios" /Users/filiph/dev/hn_app/ios/Flutter
FRAMEWORK_VERSION = A
FULL_PRODUCT_NAME = Runner.app
GCC3_VERSION = 3.3
GCC_C_LANGUAGE_STANDARD = gnu99
GCC_DYNAMIC_NO_PIC = NO
GCC_INLINES_ARE_PRIVATE_EXTERN = YES
GCC_NO_COMMON_BLOCKS = YES
GCC_OBJC_LEGACY_DISPATCH = YES
GCC_OPTIMIZATION_LEVEL = 0
GCC_PFE_FILE_C_DIALECTS = c objective-c c++ objective-c++
GCC_PREPROCESSOR_DEFINITIONS = DEBUG=1 COCOAPODS=1 COCOAPODS=1
GCC_SYMBOLS_PRIVATE_EXTERN = NO
GCC_TREAT_WARNINGS_AS_ERRORS = NO
GCC_VERSION = com.apple.compilers.llvm.clang.1_0
GCC_VERSION_IDENTIFIER = com_apple_compilers_llvm_clang_1_0
GCC_WARN_64_TO_32_BIT_CONVERSION = YES
GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR
GCC_WARN_UNDECLARED_SELECTOR = YES
GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE
GCC_WARN_UNUSED_FUNCTION = YES
GCC_WARN_UNUSED_VARIABLE = YES
GENERATE_MASTER_OBJECT_FILE = NO
GENERATE_PKGINFO_FILE = YES
GENERATE_PROFILING_CODE = NO
GENERATE_TEXT_BASED_STUBS = NO
GID = 5000
GROUP = eng
HEADERMAP_INCLUDES_FLAT_ENTRIES_FOR_TARGET_BEING_BUILT = YES
HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_ALL_PRODUCT_TYPES = YES
HEADERMAP_INCLUDES_NONPUBLIC_NONPRIVATE_HEADERS = YES
HEADERMAP_INCLUDES_PROJECT_HEADERS = YES
HEADERMAP_USES_FRAMEWORK_PREFIX_ENTRIES = YES
HEADERMAP_USES_VFS = NO
HIDE_BITCODE_SYMBOLS = YES
HOME = /Users/filiph
ICONV = /usr/bin/iconv
INFOPLIST_EXPAND_BUILD_SETTINGS = YES
INFOPLIST_FILE = Runner/Info.plist
INFOPLIST_OUTPUT_FORMAT = binary
INFOPLIST_PATH = Runner.app/Info.plist
INFOPLIST_PREPROCESS = NO
INFOSTRINGS_PATH = Runner.app/English.lproj/InfoPlist.strings
INLINE_PRIVATE_FRAMEWORKS = NO
INSTALLHDRS_COPY_PHASE = NO
INSTALLHDRS_SCRIPT_PHASE = NO
INSTALL_DIR = /tmp/Runner.dst/Applications
INSTALL_GROUP = eng
INSTALL_MODE_FLAG = u+w,go-w,a+rX
INSTALL_OWNER = filiph
INSTALL_PATH = /Applications
INSTALL_ROOT = /tmp/Runner.dst
IPHONEOS_DEPLOYMENT_TARGET = 8.0
JAVAC_DEFAULT_FLAGS = -J-Xms64m -J-XX:NewSize=4M -J-Dfile.encoding=UTF8
JAVA_APP_STUB = /System/Library/Frameworks/JavaVM.framework/Resources/MacOS/JavaApplicationStub
JAVA_ARCHIVE_CLASSES = YES
JAVA_ARCHIVE_TYPE = JAR
JAVA_COMPILER = /usr/bin/javac
JAVA_FOLDER_PATH = Runner.app/Java
JAVA_FRAMEWORK_RESOURCES_DIRS = Resources
JAVA_JAR_FLAGS = cv
JAVA_SOURCE_SUBDIR = .
JAVA_USE_DEPENDENCIES = YES
JAVA_ZIP_FLAGS = -urg
JIKES_DEFAULT_FLAGS = +E +OLDCSO
KEEP_PRIVATE_EXTERNS = NO
LD_DEPENDENCY_INFO_FILE = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_dependency_info.dat
LD_GENERATE_MAP_FILE = NO
LD_MAP_FILE_PATH = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-LinkMap-normal-x86_64.txt
LD_NO_PIE = NO
LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER = YES
LD_RUNPATH_SEARCH_PATHS = '@executable_path/Frameworks' '@loader_path/Frameworks' '@executable_path/Frameworks' '@loader_path/Frameworks' @executable_path/Frameworks
LEGACY_DEVELOPER_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer
LEX = lex
LIBRARY_FLAG_NOSPACE = YES
LIBRARY_FLAG_PREFIX = -l
LIBRARY_KEXT_INSTALL_PATH = /Library/Extensions
LIBRARY_SEARCH_PATHS = /Users/filiph/dev/hn_app/ios/Flutter
LINKER_DISPLAYS_MANGLED_NAMES = NO
LINK_FILE_LIST_normal_x86_64 =
LINK_WITH_STANDARD_LIBRARIES = YES
LOCALIZABLE_CONTENT_DIR =
LOCALIZED_RESOURCES_FOLDER_PATH = Runner.app/English.lproj
LOCALIZED_STRING_MACRO_NAMES = NSLocalizedString CFLocalizedString
LOCAL_ADMIN_APPS_DIR = /Applications/Utilities
LOCAL_APPS_DIR = /Applications
LOCAL_DEVELOPER_DIR = /Library/Developer
LOCAL_LIBRARY_DIR = /Library
LOCROOT =
LOCSYMROOT =
MACH_O_TYPE = mh_execute
MAC_OS_X_PRODUCT_BUILD_VERSION = 17E202
MAC_OS_X_VERSION_ACTUAL = 101304
MAC_OS_X_VERSION_MAJOR = 101300
MAC_OS_X_VERSION_MINOR = 1304
METAL_LIBRARY_FILE_BASE = default
METAL_LIBRARY_OUTPUT_DIR = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
MODULE_CACHE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex
MTL_ENABLE_DEBUG_INFO = YES
NATIVE_ARCH = i386
NATIVE_ARCH_32_BIT = i386
NATIVE_ARCH_64_BIT = x86_64
NATIVE_ARCH_ACTUAL = x86_64
NO_COMMON = YES
OBJC_ABI_VERSION = 2
OBJECT_FILE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects
OBJECT_FILE_DIR_normal = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal
OBJROOT = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex
ONLY_ACTIVE_ARCH = YES
OS = MACOS
OSAC = /usr/bin/osacompile
OTHER_CFLAGS = -iquote "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers" -iquote "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers"
OTHER_CPLUSPLUSFLAGS = -iquote "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers" -iquote "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers"
OTHER_LDFLAGS = -framework "Flutter" -framework "url_launcher" -framework "Flutter" -framework "url_launcher"
PACKAGE_TYPE = com.apple.package-type.wrapper.application
PASCAL_STRINGS = YES
PATH = /Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin
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/Developer/SDKs /Applications/Xcode.app/Contents/Developer/Platforms
PBDEVELOPMENTPLIST_PATH = Runner.app/pbdevelopment.plist
PFE_FILE_C_DIALECTS = objective-c
PKGINFO_FILE_PATH = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/PkgInfo
PKGINFO_PATH = Runner.app/PkgInfo
PLATFORM_DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Applications
PLATFORM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin
PLATFORM_DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer/Library
PLATFORM_DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs
PLATFORM_DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Tools
PLATFORM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr
PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform
PLATFORM_DISPLAY_NAME = iOS Simulator
PLATFORM_NAME = iphonesimulator
PLATFORM_PREFERRED_ARCH = x86_64
PLIST_FILE_OUTPUT_FORMAT = binary
PLUGINS_FOLDER_PATH = Runner.app/PlugIns
PODS_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios
PODS_CONFIGURATION_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
PODS_PODFILE_DIR_PATH = /Users/filiph/dev/hn_app/ios/.
PODS_ROOT = /Users/filiph/dev/hn_app/ios/Pods
PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR = YES
PRECOMP_DESTINATION_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/PrefixHeaders
PRESERVE_DEAD_CODE_INITS_AND_TERMS = NO
PREVIEW_DART_2 = true
PRIVATE_HEADERS_FOLDER_PATH = Runner.app/PrivateHeaders
PRODUCT_BUNDLE_IDENTIFIER = hn_app.flutter.io.hnApp
PRODUCT_MODULE_NAME = Runner
PRODUCT_NAME = Runner
PRODUCT_SETTINGS_PATH = /Users/filiph/dev/hn_app/ios/Runner/Info.plist
PRODUCT_TYPE = com.apple.product-type.application
PROFILING_CODE = NO
PROJECT = Runner
PROJECT_DERIVED_FILE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/DerivedSources
PROJECT_DIR = /Users/filiph/dev/hn_app/ios
PROJECT_FILE_PATH = /Users/filiph/dev/hn_app/ios/Runner.xcodeproj
PROJECT_NAME = Runner
PROJECT_TEMP_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build
PROJECT_TEMP_ROOT = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex
PUBLIC_HEADERS_FOLDER_PATH = Runner.app/Headers
RECURSIVE_SEARCH_PATHS_FOLLOW_SYMLINKS = YES
REMOVE_CVS_FROM_RESOURCES = YES
REMOVE_GIT_FROM_RESOURCES = YES
REMOVE_HEADERS_FROM_EMBEDDED_BUNDLES = YES
REMOVE_HG_FROM_RESOURCES = YES
REMOVE_SVN_FROM_RESOURCES = YES
REZ_COLLECTOR_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources
REZ_OBJECTS_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources/Objects
SCAN_ALL_SOURCE_FILES_FOR_INCLUDES = NO
SCRIPTS_FOLDER_PATH = Runner.app/Scripts
SCRIPT_OUTPUT_STREAM_FILE = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
SDKROOT = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
SDK_DIR_iphonesimulator11_4 = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
SDK_NAME = iphonesimulator11.4
SDK_NAMES = iphonesimulator11.4
SDK_PRODUCT_BUILD_VERSION = 15F79
SDK_VERSION = 11.4
SDK_VERSION_ACTUAL = 110400
SDK_VERSION_MAJOR = 110000
SDK_VERSION_MINOR = 400
SED = /usr/bin/sed
SEPARATE_STRIP = NO
SEPARATE_SYMBOL_EDIT = NO
SET_DIR_MODE_OWNER_GROUP = YES
SET_FILE_MODE_OWNER_GROUP = NO
SHALLOW_BUNDLE = YES
SHARED_DERIVED_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/DerivedSources
SHARED_FRAMEWORKS_FOLDER_PATH = Runner.app/SharedFrameworks
SHARED_PRECOMPS_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders
SHARED_SUPPORT_FOLDER_PATH = Runner.app/SharedSupport
SKIP_INSTALL = NO
SOURCE_ROOT = /Users/filiph/dev/hn_app/ios
SRCROOT = /Users/filiph/dev/hn_app/ios
STRINGS_FILE_OUTPUT_ENCODING = binary
STRIP_BITCODE_FROM_COPIED_FILES = NO
STRIP_INSTALLED_PRODUCT = YES
STRIP_STYLE = all
STRIP_SWIFT_SYMBOLS = YES
SUPPORTED_DEVICE_FAMILIES = 1,2
SUPPORTED_PLATFORMS = iphonesimulator iphoneos
SUPPORTS_TEXT_BASED_API = NO
SWIFT_OBJC_BRIDGING_HEADER = Runner/Runner-Bridging-Header.h
SWIFT_OPTIMIZATION_LEVEL = -Onone
SWIFT_PLATFORM_TARGET_PREFIX = ios
SWIFT_SWIFT3_OBJC_INFERENCE = On
SWIFT_VERSION = 4.0
SYMROOT = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Products
SYSTEM_ADMIN_APPS_DIR = /Applications/Utilities
SYSTEM_APPS_DIR = /Applications
SYSTEM_CORE_SERVICES_DIR = /System/Library/CoreServices
SYSTEM_DEMOS_DIR = /Applications/Extras
SYSTEM_DEVELOPER_APPS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
SYSTEM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
SYSTEM_DEVELOPER_DEMOS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built Examples
SYSTEM_DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
SYSTEM_DEVELOPER_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library
SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Graphics Tools
SYSTEM_DEVELOPER_JAVA_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Java Tools
SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Performance Tools
SYSTEM_DEVELOPER_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes
SYSTEM_DEVELOPER_TOOLS = /Applications/Xcode.app/Contents/Developer/Tools
SYSTEM_DEVELOPER_TOOLS_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools
SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools
SYSTEM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
SYSTEM_DEVELOPER_UTILITIES_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities
SYSTEM_DOCUMENTATION_DIR = /Library/Documentation
SYSTEM_KEXT_INSTALL_PATH = /System/Library/Extensions
SYSTEM_LIBRARY_DIR = /System/Library
TAPI_VERIFY_MODE = ErrorsOnly
TARGETED_DEVICE_FAMILY = 1,2
TARGETNAME = Runner
TARGET_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
TARGET_NAME = Runner
TARGET_TEMP_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
TEMP_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
TEMP_FILES_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
TEMP_FILE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
TEMP_ROOT = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex
TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
TREAT_MISSING_BASELINES_AS_TEST_FAILURES = NO
UID = 74285
UNLOCALIZED_RESOURCES_FOLDER_PATH = Runner.app
UNSTRIPPED_PRODUCT = NO
USER = filiph
USER_APPS_DIR = /Users/filiph/Applications
USER_LIBRARY_DIR = /Users/filiph/Library
USE_DYNAMIC_NO_PIC = YES
USE_HEADERMAP = YES
USE_HEADER_SYMLINKS = NO
VALIDATE_PRODUCT = NO
VALID_ARCHS = i386 x86_64
VERBOSE_PBXCP = NO
VERBOSE_SCRIPT_LOGGING = YES
VERSIONPLIST_PATH = Runner.app/version.plist
VERSION_INFO_BUILDER = filiph
VERSION_INFO_FILE = Runner_vers.c
VERSION_INFO_STRING = "@(#)PROGRAM:Runner PROJECT:Runner-"
WRAPPER_EXTENSION = app
WRAPPER_NAME = Runner.app
WRAPPER_SUFFIX = .app
WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES = NO
XCODE_APP_SUPPORT_DIR = /Applications/Xcode.app/Contents/Developer/Library/Xcode
XCODE_PRODUCT_BUILD_VERSION = 9F1027a
XCODE_VERSION_ACTUAL = 0940
XCODE_VERSION_MAJOR = 0900
XCODE_VERSION_MINOR = 0940
XPCSERVICES_FOLDER_PATH = Runner.app/XPCServices
YACC = yacc
arch = x86_64
variant = normal
[ +230 ms] /usr/bin/xcrun simctl install 8C0199F9-DE6D-4A50-86F3-875D58FF15E6 /Users/filiph/dev/hn_app/build/ios/iphonesimulator/Runner.app
[+1071 ms] /usr/bin/xcrun simctl launch 8C0199F9-DE6D-4A50-86F3-875D58FF15E6 hn_app.flutter.io.hnApp --enable-dart-profiling --enable-checked-mode --observatory-port=8100
[ +171 ms] hn_app.flutter.io.hnApp: 73477
[ ] Waiting for observatory port to be available...
[ +634 ms] [DEVICE LOG] 2018-06-04 16:48:50.537671-0700 localhost Runner[73477]: (Runner) Created Activity ID: 0xcb581, Description: Loading Preferences From System CFPrefsD For Search List
[ +2 ms] [DEVICE LOG] 2018-06-04 16:48:50.537670-0700 localhost Runner[73477]: (Runner) Created Activity ID: 0xcb580, Description: Loading Preferences From System CFPrefsD For Search List
[ +14 ms] [DEVICE LOG] 2018-06-04 16:48:50.555726-0700 localhost Runner[73477]: (Runner) Created Activity ID: 0xcb582, Description: Loading Preferences From System CFPrefsD For Search List
[ +4 ms] [DEVICE LOG] 2018-06-04 16:48:50.560555-0700 localhost Runner[73477]: (libAccessibility.dylib) [com.apple.Accessibility:AccessibilitySupport] Retrieving resting unlock: 0
[ +343 ms] [DEVICE LOG] 2018-06-04 16:48:50.903723-0700 localhost Runner[73477]: (UIKit) You've implemented -[<UIApplicationDelegate> application:performFetchWithCompletionHandler:], but you still need to add "fetch" to the list of your supported UIBackgroundModes in your Info.plist.
[ ] [DEVICE LOG] 2018-06-04 16:48:50.903879-0700 localhost Runner[73477]: (UIKit) You've implemented -[<UIApplicationDelegate> application:didReceiveRemoteNotification:fetchCompletionHandler:], but you still need to add "remote-notification" to the list of your supported UIBackgroundModes in your Info.plist.
[ ] [DEVICE LOG] 2018-06-04 16:48:50.904842-0700 localhost Runner[73477]: (Flutter) flutter: Observatory listening on http://127.0.0.1:8100/
[ +3 ms] Observatory URL on device: http://127.0.0.1:8100/
[ +3 ms] Connecting to service protocol: http://127.0.0.1:8100/
[ +141 ms] Successfully connected to service protocol: http://127.0.0.1:8100/
[ +2 ms] getVM: {}
[ +12 ms] getIsolate: {isolateId: isolates/68813175}
[ +2 ms] _flutter.listViews: {}
[ +336 ms] DevFS: Creating new filesystem on the device (null)
[ ] _createDevFS: {fsName: hn_app}
[ +12 ms] DevFS: Created new filesystem on the device (file:///Users/filiph/Library/Developer/CoreSimulator/Devices/8C0199F9-DE6D-4A50-86F3-875D58FF15E6/data/Containers/Data/Application/818BAB73-1587-4D9E-8A42-7BAA0927500E/tmp/hn_app9eBWc4/hn_app/)
[ +1 ms] Updating assets
[ +133 ms] Syncing files to device iPhone X...
[ +2 ms] DevFS: Starting sync from LocalDirectory: '/Users/filiph/dev/hn_app'
[ ] Scanning project files
[ +4 ms] Scanning package files
[ +91 ms] Scanning asset files
[ ] Scanning for deleted files
[ +12 ms] Compiling dart to kernel with 416 updated files
[ +2 ms] /Users/filiph/dev/flutter/bin/cache/dart-sdk/bin/dart /Users/filiph/dev/flutter/bin/cache/artifacts/engine/darwin-x64/frontend_server.dart.snapshot --sdk-root /Users/filiph/dev/flutter/bin/cache/artifacts/engine/common/flutter_patched_sdk/ --incremental --strong --target=flutter --output-dill build/app.dill --packages /Users/filiph/dev/hn_app/.packages --filesystem-scheme org-dartlang-root
[+1165 ms] Updating files
[ +477 ms] DevFS: Sync finished
[ ] Synced 0.8MB.
[ +3 ms] _flutter.listViews: {}
[ +1 ms] Connected to _flutterView/0x7fd2c8603668.
[ ] 🔥 To hot reload your app on the fly, press "r". To restart the app entirely, press "R".
[ ] An Observatory debugger and profiler on iPhone X is available at: http://127.0.0.1:8100/
[ ] For a more detailed help message, press "h". To quit, press "q".
"><pre class="notranslate"><code class="notranslate">$ flutter run --verbose
[ +25 ms] [/Users/filiph/dev/flutter/] git rev-parse --abbrev-ref --symbolic @{u}
[ +28 ms] Exit code 0 from: git rev-parse --abbrev-ref --symbolic @{u}
[ ] origin/beta
[ ] [/Users/filiph/dev/flutter/] git rev-parse --abbrev-ref HEAD
[ +6 ms] Exit code 0 from: git rev-parse --abbrev-ref HEAD
[ ] beta
[ ] [/Users/filiph/dev/flutter/] git ls-remote --get-url origin
[ +4 ms] Exit code 0 from: git ls-remote --get-url origin
[ ] https://github.com/flutter/flutter.git
[ ] [/Users/filiph/dev/flutter/] git log -n 1 --pretty=format:%H
[ +6 ms] Exit code 0 from: git log -n 1 --pretty=format:%H
[ ] f9bb4289e9fd861d70ae78bcc3a042ef1b35cc9d
[ ] [/Users/filiph/dev/flutter/] git log -n 1 --pretty=format:%ar
[ +5 ms] Exit code 0 from: git log -n 1 --pretty=format:%ar
[ ] 3 weeks ago
[ ] [/Users/filiph/dev/flutter/] git describe --match v*.*.* --first-parent --long --tags
[ +9 ms] Exit code 0 from: git describe --match v*.*.* --first-parent --long --tags
[ ] v0.4.4-0-gf9bb4289e
[+1367 ms] /usr/bin/defaults read /Applications/Android Studio.app/Contents/Info CFBundleShortVersionString
[ +61 ms] Exit code 0 from: /usr/bin/defaults read /Applications/Android Studio.app/Contents/Info CFBundleShortVersionString
[ ] 3.1
[ +108 ms] /Users/filiph/Library/Android/sdk/platform-tools/adb devices -l
[ +13 ms] Exit code 0 from: /Users/filiph/Library/Android/sdk/platform-tools/adb devices -l
[ ] List of devices attached
[ +4 ms] idevice_id -h
[ +261 ms] /usr/bin/xcrun simctl list --json devices
[ +217 ms] Found plugin url_launcher at /Users/filiph/dev/flutter/.pub-cache/hosted/pub.dartlang.org/url_launcher-3.0.2/
[ +570 ms] Launching lib/main.dart on iPhone X in debug mode...
[ +1 ms] /usr/bin/defaults read /Users/filiph/dev/hn_app/ios/Runner/Info CFBundleIdentifier
[ +57 ms] Exit code 0 from: /usr/bin/defaults read /Users/filiph/dev/hn_app/ios/Runner/Info CFBundleIdentifier
[ ] $(PRODUCT_BUNDLE_IDENTIFIER)
[ ] [ios/Runner.xcodeproj/] /usr/bin/xcodebuild -project /Users/filiph/dev/hn_app/ios/Runner.xcodeproj -target Runner -showBuildSettings
[ +848 ms] Exit code 0 from: /usr/bin/xcodebuild -project /Users/filiph/dev/hn_app/ios/Runner.xcodeproj -target Runner -showBuildSettings
[ ] Build settings for action build and target Runner:
ACTION = build
AD_HOC_CODE_SIGNING_ALLOWED = NO
ALTERNATE_GROUP = eng
ALTERNATE_MODE = u+w,go-w,a+rX
ALTERNATE_OWNER = filiph
ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO
ALWAYS_SEARCH_USER_PATHS = NO
ALWAYS_USE_SEPARATE_HEADERMAPS = NO
APPLE_INTERNAL_DEVELOPER_DIR = /AppleInternal/Developer
APPLE_INTERNAL_DIR = /AppleInternal
APPLE_INTERNAL_DOCUMENTATION_DIR = /AppleInternal/Documentation
APPLE_INTERNAL_LIBRARY_DIR = /AppleInternal/Library
APPLE_INTERNAL_TOOLS = /AppleInternal/Developer/Tools
APPLICATION_EXTENSION_API_ONLY = NO
APPLY_RULES_IN_COPY_FILES = NO
ARCHS = arm64
ARCHS_STANDARD = armv7 arm64
ARCHS_STANDARD_32_64_BIT = armv7 arm64
ARCHS_STANDARD_32_BIT = armv7
ARCHS_STANDARD_64_BIT = arm64
ARCHS_STANDARD_INCLUDING_64_BIT = armv7 arm64
ARCHS_UNIVERSAL_IPHONE_OS = armv7 arm64
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon
AVAILABLE_PLATFORMS = appletvos appletvsimulator iphoneos iphonesimulator macosx watchos watchsimulator
BITCODE_GENERATION_MODE = marker
BUILD_ACTIVE_RESOURCES_ONLY = NO
BUILD_COMPONENTS = headers build
BUILD_DIR = /Users/filiph/dev/hn_app/build/ios
BUILD_ROOT = /Users/filiph/dev/hn_app/build/ios
BUILD_STYLE =
BUILD_VARIANTS = normal
BUILT_PRODUCTS_DIR = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos
CACHE_ROOT = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/Xcode
CCHROOT = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/Xcode
CHMOD = /bin/chmod
CHOWN = /usr/sbin/chown
CLANG_ANALYZER_NONNULL = YES
CLANG_CXX_LANGUAGE_STANDARD = gnu++0x
CLANG_CXX_LIBRARY = libc++
CLANG_ENABLE_MODULES = YES
CLANG_ENABLE_OBJC_ARC = YES
CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES
CLANG_WARN_BOOL_CONVERSION = YES
CLANG_WARN_COMMA = YES
CLANG_WARN_CONSTANT_CONVERSION = YES
CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR
CLANG_WARN_EMPTY_BODY = YES
CLANG_WARN_ENUM_CONVERSION = YES
CLANG_WARN_INFINITE_RECURSION = YES
CLANG_WARN_INT_CONVERSION = YES
CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES
CLANG_WARN_OBJC_LITERAL_CONVERSION = YES
CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR
CLANG_WARN_RANGE_LOOP_ANALYSIS = YES
CLANG_WARN_STRICT_PROTOTYPES = YES
CLANG_WARN_SUSPICIOUS_MOVE = YES
CLANG_WARN_UNREACHABLE_CODE = YES
CLANG_WARN__DUPLICATE_METHOD_MATCH = YES
CLASS_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/JavaClasses
CLEAN_PRECOMPS = YES
CLONE_HEADERS = NO
CODESIGNING_FOLDER_PATH = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos/Runner.app
CODE_SIGNING_ALLOWED = YES
CODE_SIGNING_REQUIRED = YES
CODE_SIGN_CONTEXT_CLASS = XCiPhoneOSCodeSignContext
CODE_SIGN_IDENTITY = iPhone Developer
CODE_SIGN_INJECT_BASE_ENTITLEMENTS = YES
COLOR_DIAGNOSTICS = NO
COMBINE_HIDPI_IMAGES = NO
COMPILER_INDEX_STORE_ENABLE = Default
COMPOSITE_SDK_DIRS = /Users/filiph/dev/hn_app/build/ios/CompositeSDKs
COMPRESS_PNG_FILES = YES
CONFIGURATION = Release
CONFIGURATION_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos
CONFIGURATION_TEMP_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos
CONTENTS_FOLDER_PATH = Runner.app
COPYING_PRESERVES_HFS_DATA = NO
COPY_HEADERS_RUN_UNIFDEF = NO
COPY_PHASE_STRIP = NO
COPY_RESOURCES_FROM_STATIC_FRAMEWORKS = YES
CORRESPONDING_SIMULATOR_PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform
CORRESPONDING_SIMULATOR_PLATFORM_NAME = iphonesimulator
CORRESPONDING_SIMULATOR_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
CORRESPONDING_SIMULATOR_SDK_NAME = iphonesimulator11.4
CP = /bin/cp
CREATE_INFOPLIST_SECTION_IN_BINARY = NO
CURRENT_ARCH = arm64
CURRENT_VARIANT = normal
DEAD_CODE_STRIPPING = YES
DEBUGGING_SYMBOLS = YES
DEBUG_INFORMATION_FORMAT = dwarf-with-dsym
DEFAULT_COMPILER = com.apple.compilers.llvm.clang.1_0
DEFAULT_KEXT_INSTALL_PATH = /System/Library/Extensions
DEFINES_MODULE = NO
DEPLOYMENT_LOCATION = NO
DEPLOYMENT_POSTPROCESSING = NO
DEPLOYMENT_TARGET_CLANG_ENV_NAME = IPHONEOS_DEPLOYMENT_TARGET
DEPLOYMENT_TARGET_CLANG_FLAG_NAME = miphoneos-version-min
DEPLOYMENT_TARGET_CLANG_FLAG_PREFIX = -miphoneos-version-min=
DEPLOYMENT_TARGET_SETTING_NAME = IPHONEOS_DEPLOYMENT_TARGET
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.1 11.2 11.3 11.4
DERIVED_FILES_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DERIVED_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DERIVED_SOURCES_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/DerivedSources
DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
DEVELOPER_FRAMEWORKS_DIR = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_FRAMEWORKS_DIR_QUOTED = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/Developer/Library
DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs
DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Tools
DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
DEVELOPMENT_LANGUAGE = English
DOCUMENTATION_FOLDER_PATH = Runner.app/English.lproj/Documentation
DO_HEADER_SCANNING_IN_JAM = NO
DSTROOT = /tmp/Runner.dst
DT_TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
DWARF_DSYM_FILE_NAME = Runner.app.dSYM
DWARF_DSYM_FILE_SHOULD_ACCOMPANY_PRODUCT = NO
DWARF_DSYM_FOLDER_PATH = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos
EFFECTIVE_PLATFORM_NAME = -iphoneos
EMBEDDED_CONTENT_CONTAINS_SWIFT = NO
EMBEDDED_PROFILE_NAME = embedded.mobileprovision
EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE = NO
ENABLE_BITCODE = NO
ENABLE_DEFAULT_HEADER_SEARCH_PATHS = YES
ENABLE_HEADER_DEPENDENCIES = YES
ENABLE_NS_ASSERTIONS = NO
ENABLE_ON_DEMAND_RESOURCES = YES
ENABLE_STRICT_OBJC_MSGSEND = YES
ENABLE_TESTABILITY = NO
ENTITLEMENTS_ALLOWED = YES
ENTITLEMENTS_REQUIRED = YES
EXCLUDED_INSTALLSRC_SUBDIRECTORY_PATTERNS = .DS_Store .svn .git .hg CVS
EXCLUDED_RECURSIVE_SEARCH_PATH_SUBDIRECTORIES = *.nib *.lproj *.framework *.gch *.xcode* *.xcassets (*) .DS_Store CVS .svn .git .hg *.pbproj *.pbxproj
EXECUTABLES_FOLDER_PATH = Runner.app/Executables
EXECUTABLE_FOLDER_PATH = Runner.app
EXECUTABLE_NAME = Runner
EXECUTABLE_PATH = Runner.app/Runner
EXPANDED_CODE_SIGN_IDENTITY =
EXPANDED_CODE_SIGN_IDENTITY_NAME =
EXPANDED_PROVISIONING_PROFILE =
FILE_LIST = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects/LinkFileList
FIXED_FILES_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/FixedFiles
FLUTTER_APPLICATION_PATH = /Users/filiph/dev/hn_app
FLUTTER_BUILD_DIR = build
FLUTTER_BUILD_MODE = debug
FLUTTER_FRAMEWORK_DIR = /Users/filiph/dev/flutter/bin/cache/artifacts/engine/ios
FLUTTER_ROOT = /Users/filiph/dev/flutter
FLUTTER_TARGET = lib/main.dart
FRAMEWORKS_FOLDER_PATH = Runner.app/Frameworks
FRAMEWORK_FLAG_PREFIX = -framework
FRAMEWORK_SEARCH_PATHS = "/Users/filiph/dev/hn_app/build/ios/Release-iphoneos/url_launcher" "/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios" "/Users/filiph/dev/hn_app/build/ios/Release-iphoneos/url_launcher" "/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios" /Users/filiph/dev/hn_app/ios/Flutter
FRAMEWORK_VERSION = A
FULL_PRODUCT_NAME = Runner.app
GCC3_VERSION = 3.3
GCC_C_LANGUAGE_STANDARD = gnu99
GCC_INLINES_ARE_PRIVATE_EXTERN = YES
GCC_NO_COMMON_BLOCKS = YES
GCC_PFE_FILE_C_DIALECTS = c objective-c c++ objective-c++
GCC_PREPROCESSOR_DEFINITIONS = COCOAPODS=1 COCOAPODS=1
GCC_SYMBOLS_PRIVATE_EXTERN = YES
GCC_THUMB_SUPPORT = YES
GCC_TREAT_WARNINGS_AS_ERRORS = NO
GCC_VERSION = com.apple.compilers.llvm.clang.1_0
GCC_VERSION_IDENTIFIER = com_apple_compilers_llvm_clang_1_0
GCC_WARN_64_TO_32_BIT_CONVERSION = YES
GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR
GCC_WARN_UNDECLARED_SELECTOR = YES
GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE
GCC_WARN_UNUSED_FUNCTION = YES
GCC_WARN_UNUSED_VARIABLE = YES
GENERATE_MASTER_OBJECT_FILE = NO
GENERATE_PKGINFO_FILE = YES
GENERATE_PROFILING_CODE = NO
GENERATE_TEXT_BASED_STUBS = NO
GID = 5000
GROUP = eng
HEADERMAP_INCLUDES_FLAT_ENTRIES_FOR_TARGET_BEING_BUILT = YES
HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_ALL_PRODUCT_TYPES = YES
HEADERMAP_INCLUDES_NONPUBLIC_NONPRIVATE_HEADERS = YES
HEADERMAP_INCLUDES_PROJECT_HEADERS = YES
HEADERMAP_USES_FRAMEWORK_PREFIX_ENTRIES = YES
HEADERMAP_USES_VFS = NO
HIDE_BITCODE_SYMBOLS = YES
HOME = /Users/filiph
ICONV = /usr/bin/iconv
INFOPLIST_EXPAND_BUILD_SETTINGS = YES
INFOPLIST_FILE = Runner/Info.plist
INFOPLIST_OUTPUT_FORMAT = binary
INFOPLIST_PATH = Runner.app/Info.plist
INFOPLIST_PREPROCESS = NO
INFOSTRINGS_PATH = Runner.app/English.lproj/InfoPlist.strings
INLINE_PRIVATE_FRAMEWORKS = NO
INSTALLHDRS_COPY_PHASE = NO
INSTALLHDRS_SCRIPT_PHASE = NO
INSTALL_DIR = /tmp/Runner.dst/Applications
INSTALL_GROUP = eng
INSTALL_MODE_FLAG = u+w,go-w,a+rX
INSTALL_OWNER = filiph
INSTALL_PATH = /Applications
INSTALL_ROOT = /tmp/Runner.dst
IPHONEOS_DEPLOYMENT_TARGET = 8.0
JAVAC_DEFAULT_FLAGS = -J-Xms64m -J-XX:NewSize=4M -J-Dfile.encoding=UTF8
JAVA_APP_STUB = /System/Library/Frameworks/JavaVM.framework/Resources/MacOS/JavaApplicationStub
JAVA_ARCHIVE_CLASSES = YES
JAVA_ARCHIVE_TYPE = JAR
JAVA_COMPILER = /usr/bin/javac
JAVA_FOLDER_PATH = Runner.app/Java
JAVA_FRAMEWORK_RESOURCES_DIRS = Resources
JAVA_JAR_FLAGS = cv
JAVA_SOURCE_SUBDIR = .
JAVA_USE_DEPENDENCIES = YES
JAVA_ZIP_FLAGS = -urg
JIKES_DEFAULT_FLAGS = +E +OLDCSO
KASAN_DEFAULT_CFLAGS = -DKASAN=1 -fsanitize=address -mllvm -asan-globals-live-support -mllvm -asan-force-dynamic-shadow
KEEP_PRIVATE_EXTERNS = NO
LD_DEPENDENCY_INFO_FILE = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects-normal/arm64/Runner_dependency_info.dat
LD_GENERATE_MAP_FILE = NO
LD_MAP_FILE_PATH = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/Runner-LinkMap-normal-arm64.txt
LD_NO_PIE = NO
LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER = YES
LD_RUNPATH_SEARCH_PATHS = '@executable_path/Frameworks' '@loader_path/Frameworks' '@executable_path/Frameworks' '@loader_path/Frameworks' @executable_path/Frameworks
LEGACY_DEVELOPER_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer
LEX = lex
LIBRARY_FLAG_NOSPACE = YES
LIBRARY_FLAG_PREFIX = -l
LIBRARY_KEXT_INSTALL_PATH = /Library/Extensions
LIBRARY_SEARCH_PATHS = /Users/filiph/dev/hn_app/ios/Flutter
LINKER_DISPLAYS_MANGLED_NAMES = NO
LINK_FILE_LIST_normal_arm64 =
LINK_WITH_STANDARD_LIBRARIES = YES
LOCALIZABLE_CONTENT_DIR =
LOCALIZED_RESOURCES_FOLDER_PATH = Runner.app/English.lproj
LOCALIZED_STRING_MACRO_NAMES = NSLocalizedString CFLocalizedString
LOCAL_ADMIN_APPS_DIR = /Applications/Utilities
LOCAL_APPS_DIR = /Applications
LOCAL_DEVELOPER_DIR = /Library/Developer
LOCAL_LIBRARY_DIR = /Library
LOCROOT =
LOCSYMROOT =
MACH_O_TYPE = mh_execute
MAC_OS_X_PRODUCT_BUILD_VERSION = 17E202
MAC_OS_X_VERSION_ACTUAL = 101304
MAC_OS_X_VERSION_MAJOR = 101300
MAC_OS_X_VERSION_MINOR = 1304
METAL_LIBRARY_FILE_BASE = default
METAL_LIBRARY_OUTPUT_DIR = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos/Runner.app
MODULE_CACHE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex
MTL_ENABLE_DEBUG_INFO = NO
NATIVE_ARCH = armv7
NATIVE_ARCH_32_BIT = i386
NATIVE_ARCH_64_BIT = x86_64
NATIVE_ARCH_ACTUAL = x86_64
NO_COMMON = YES
OBJECT_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects
OBJECT_FILE_DIR_normal = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/Objects-normal
OBJROOT = /Users/filiph/dev/hn_app/build/ios
ONLY_ACTIVE_ARCH = NO
OS = MACOS
OSAC = /usr/bin/osacompile
OTHER_CFLAGS = -iquote "/Users/filiph/dev/hn_app/build/ios/Release-iphoneos/url_launcher/url_launcher.framework/Headers" -iquote "/Users/filiph/dev/hn_app/build/ios/Release-iphoneos/url_launcher/url_launcher.framework/Headers"
OTHER_CPLUSPLUSFLAGS = -iquote "/Users/filiph/dev/hn_app/build/ios/Release-iphoneos/url_launcher/url_launcher.framework/Headers" -iquote "/Users/filiph/dev/hn_app/build/ios/Release-iphoneos/url_launcher/url_launcher.framework/Headers"
OTHER_LDFLAGS = -framework "Flutter" -framework "url_launcher" -framework "Flutter" -framework "url_launcher"
PACKAGE_TYPE = com.apple.package-type.wrapper.application
PASCAL_STRINGS = YES
PATH = /Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin
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/Developer/SDKs /Applications/Xcode.app/Contents/Developer/Platforms
PBDEVELOPMENTPLIST_PATH = Runner.app/pbdevelopment.plist
PFE_FILE_C_DIALECTS = objective-c
PKGINFO_FILE_PATH = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/PkgInfo
PKGINFO_PATH = Runner.app/PkgInfo
PLATFORM_DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Applications
PLATFORM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin
PLATFORM_DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer/Library
PLATFORM_DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs
PLATFORM_DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Tools
PLATFORM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr
PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform
PLATFORM_DISPLAY_NAME = iOS
PLATFORM_NAME = iphoneos
PLATFORM_PREFERRED_ARCH = arm64
PLATFORM_PRODUCT_BUILD_VERSION = 15F79
PLIST_FILE_OUTPUT_FORMAT = binary
PLUGINS_FOLDER_PATH = Runner.app/PlugIns
PODS_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios
PODS_CONFIGURATION_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos
PODS_PODFILE_DIR_PATH = /Users/filiph/dev/hn_app/ios/.
PODS_ROOT = /Users/filiph/dev/hn_app/ios/Pods
PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR = YES
PRECOMP_DESTINATION_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/PrefixHeaders
PRESERVE_DEAD_CODE_INITS_AND_TERMS = NO
PREVIEW_DART_2 = true
PRIVATE_HEADERS_FOLDER_PATH = Runner.app/PrivateHeaders
PRODUCT_BUNDLE_IDENTIFIER = hn_app.flutter.io.hnApp
PRODUCT_MODULE_NAME = Runner
PRODUCT_NAME = Runner
PRODUCT_SETTINGS_PATH = /Users/filiph/dev/hn_app/ios/Runner/Info.plist
PRODUCT_TYPE = com.apple.product-type.application
PROFILING_CODE = NO
PROJECT = Runner
PROJECT_DERIVED_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/DerivedSources
PROJECT_DIR = /Users/filiph/dev/hn_app/ios
PROJECT_FILE_PATH = /Users/filiph/dev/hn_app/ios/Runner.xcodeproj
PROJECT_NAME = Runner
PROJECT_TEMP_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build
PROJECT_TEMP_ROOT = /Users/filiph/dev/hn_app/build/ios
PROVISIONING_PROFILE_REQUIRED = YES
PUBLIC_HEADERS_FOLDER_PATH = Runner.app/Headers
RECURSIVE_SEARCH_PATHS_FOLLOW_SYMLINKS = YES
REMOVE_CVS_FROM_RESOURCES = YES
REMOVE_GIT_FROM_RESOURCES = YES
REMOVE_HEADERS_FROM_EMBEDDED_BUNDLES = YES
REMOVE_HG_FROM_RESOURCES = YES
REMOVE_SVN_FROM_RESOURCES = YES
RESOURCE_RULES_REQUIRED = YES
REZ_COLLECTOR_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/ResourceManagerResources
REZ_OBJECTS_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build/ResourceManagerResources/Objects
SCAN_ALL_SOURCE_FILES_FOR_INCLUDES = NO
SCRIPTS_FOLDER_PATH = Runner.app/Scripts
SDKROOT = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.4.sdk
SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.4.sdk
SDK_DIR_iphoneos11_4 = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.4.sdk
SDK_NAME = iphoneos11.4
SDK_NAMES = iphoneos11.4
SDK_PRODUCT_BUILD_VERSION = 15F79
SDK_VERSION = 11.4
SDK_VERSION_ACTUAL = 110400
SDK_VERSION_MAJOR = 110000
SDK_VERSION_MINOR = 400
SED = /usr/bin/sed
SEPARATE_STRIP = NO
SEPARATE_SYMBOL_EDIT = NO
SET_DIR_MODE_OWNER_GROUP = YES
SET_FILE_MODE_OWNER_GROUP = NO
SHALLOW_BUNDLE = YES
SHARED_DERIVED_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos/DerivedSources
SHARED_FRAMEWORKS_FOLDER_PATH = Runner.app/SharedFrameworks
SHARED_PRECOMPS_DIR = /Users/filiph/dev/hn_app/build/ios/SharedPrecompiledHeaders
SHARED_SUPPORT_FOLDER_PATH = Runner.app/SharedSupport
SKIP_INSTALL = NO
SOURCE_ROOT = /Users/filiph/dev/hn_app/ios
SRCROOT = /Users/filiph/dev/hn_app/ios
STRINGS_FILE_OUTPUT_ENCODING = binary
STRIP_BITCODE_FROM_COPIED_FILES = YES
STRIP_INSTALLED_PRODUCT = YES
STRIP_STYLE = all
STRIP_SWIFT_SYMBOLS = YES
SUPPORTED_DEVICE_FAMILIES = 1,2
SUPPORTED_PLATFORMS = iphonesimulator iphoneos
SUPPORTS_TEXT_BASED_API = NO
SWIFT_COMPILATION_MODE = wholemodule
SWIFT_OBJC_BRIDGING_HEADER = Runner/Runner-Bridging-Header.h
SWIFT_OPTIMIZATION_LEVEL = -O
SWIFT_PLATFORM_TARGET_PREFIX = ios
SWIFT_SWIFT3_OBJC_INFERENCE = On
SWIFT_VERSION = 4.0
SYMROOT = /Users/filiph/dev/hn_app/build/ios
SYSTEM_ADMIN_APPS_DIR = /Applications/Utilities
SYSTEM_APPS_DIR = /Applications
SYSTEM_CORE_SERVICES_DIR = /System/Library/CoreServices
SYSTEM_DEMOS_DIR = /Applications/Extras
SYSTEM_DEVELOPER_APPS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
SYSTEM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
SYSTEM_DEVELOPER_DEMOS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built Examples
SYSTEM_DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
SYSTEM_DEVELOPER_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library
SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Graphics Tools
SYSTEM_DEVELOPER_JAVA_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Java Tools
SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Performance Tools
SYSTEM_DEVELOPER_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes
SYSTEM_DEVELOPER_TOOLS = /Applications/Xcode.app/Contents/Developer/Tools
SYSTEM_DEVELOPER_TOOLS_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools
SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools
SYSTEM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
SYSTEM_DEVELOPER_UTILITIES_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities
SYSTEM_DOCUMENTATION_DIR = /Library/Documentation
SYSTEM_KEXT_INSTALL_PATH = /System/Library/Extensions
SYSTEM_LIBRARY_DIR = /System/Library
TAPI_VERIFY_MODE = ErrorsOnly
TARGETED_DEVICE_FAMILY = 1,2
TARGETNAME = Runner
TARGET_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios/Release-iphoneos
TARGET_NAME = Runner
TARGET_TEMP_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_FILES_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Runner.build/Release-iphoneos/Runner.build
TEMP_ROOT = /Users/filiph/dev/hn_app/build/ios
TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
TREAT_MISSING_BASELINES_AS_TEST_FAILURES = NO
UID = 74285
UNLOCALIZED_RESOURCES_FOLDER_PATH = Runner.app
UNSTRIPPED_PRODUCT = NO
USER = filiph
USER_APPS_DIR = /Users/filiph/Applications
USER_LIBRARY_DIR = /Users/filiph/Library
USE_DYNAMIC_NO_PIC = YES
USE_HEADERMAP = YES
USE_HEADER_SYMLINKS = NO
VALIDATE_PRODUCT = YES
VALID_ARCHS = arm64 armv7 armv7s
VERBOSE_PBXCP = NO
VERSIONPLIST_PATH = Runner.app/version.plist
VERSION_INFO_BUILDER = filiph
VERSION_INFO_FILE = Runner_vers.c
VERSION_INFO_STRING = "@(#)PROGRAM:Runner PROJECT:Runner-"
WRAPPER_EXTENSION = app
WRAPPER_NAME = Runner.app
WRAPPER_SUFFIX = .app
WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES = NO
XCODE_APP_SUPPORT_DIR = /Applications/Xcode.app/Contents/Developer/Library/Xcode
XCODE_PRODUCT_BUILD_VERSION = 9F1027a
XCODE_VERSION_ACTUAL = 0940
XCODE_VERSION_MAJOR = 0900
XCODE_VERSION_MINOR = 0940
XPCSERVICES_FOLDER_PATH = Runner.app/XPCServices
YACC = yacc
arch = arm64
variant = normal
[ +13 ms] Building Runner.app for 8C0199F9-DE6D-4A50-86F3-875D58FF15E6.
[ +9 ms] script /dev/null /usr/bin/log stream --style syslog --predicate processImagePath CONTAINS "8C0199F9-DE6D-4A50-86F3-875D58FF15E6"
[ +31 ms] [DEVICE LOG] Filtering the log data using "processImagePath CONTAINS "8C0199F9-DE6D-4A50-86F3-875D58FF15E6""
[ +5 ms] [DEVICE LOG] Timestamp (process)[PID]
[ +127 ms] Skipping kernel compilation. Fingerprint match.
[ +229 ms] Building bundle
[ ] Writing asset files to build/flutter_assets
[ +53 ms] Wrote build/flutter_assets
[ +1 ms] /usr/bin/xcrun simctl get_app_container 8C0199F9-DE6D-4A50-86F3-875D58FF15E6 hn_app.flutter.io.hnApp
[ ] /usr/bin/killall Runner
[ +163 ms] python -c import six
[ +131 ms] [ios/] /usr/bin/xcodebuild -list
[ +595 ms] Exit code 0 from: /usr/bin/xcodebuild -list
[ ] Information about project "Runner":
Targets:
Runner
Build Configurations:
Debug
Release
If no build configuration is specified and -scheme is not passed then "Release" is used.
Schemes:
Runner
[ +1 ms] Trying to resolve native pub services.
[ +1 ms] Looking for YAML at 'pubspec.yaml'
[ ] No services specified in the manifest
[ ] Found 0 service definition(s).
[ ] Copying service frameworks to '/Users/filiph/dev/hn_app/ios/Frameworks'.
[ ] Creating service definitions manifest at 'ios/ServiceDefinitions.json'
[ +9 ms] pod --version
[ +778 ms] 1.5.3
/System/Library/Frameworks/Ruby.framework/Versions/2.3/usr/lib/ruby/2.3.0/universal-darwin17/rbconfig.rb:214: warning: Insecure world writable dir /usr/local/git in PATH, mode 040757
Ignoring eventmachine-1.2.5 because its extensions are not built. Try: gem pristine eventmachine --version 1.2.5
Ignoring executable-hooks-1.3.2 because its extensions are not built. Try: gem pristine executable-hooks --version 1.3.2
Ignoring fast-stemmer-1.0.2 because its extensions are not built. Try: gem pristine fast-stemmer --version 1.0.2
Ignoring ffi-1.9.23 because its extensions are not built. Try: gem pristine ffi --version 1.9.23
Ignoring ffi-1.9.18 because its extensions are not built. Try: gem pristine ffi --version 1.9.18
Ignoring ffi-1.9.17 because its extensions are not built. Try: gem pristine ffi --version 1.9.17
Ignoring ffi-1.9.14 because its extensions are not built. Try: gem pristine ffi --version 1.9.14
Ignoring ffi-1.9.10 because its extensions are not built. Try: gem pristine ffi --version 1.9.10
Ignoring ffi-1.9.6 because its extensions are not built. Try: gem pristine ffi --version 1.9.6
Ignoring gem-wrappers-1.2.7 because its extensions are not built. Try: gem pristine gem-wrappers --version 1.2.7
Ignoring hitimes-1.2.2 because its extensions are not built. Try: gem pristine hitimes --version 1.2.2
Ignoring http_parser.rb-0.6.0 because its extensions are not built. Try: gem pristine http_parser.rb --version 0.6.0
Ignoring nokogiri-1.8.2 because its extensions are not built. Try: gem pristine nokogiri --version 1.8.2
Ignoring nokogiri-1.8.1 because its extensions are not built. Try: gem pristine nokogiri --version 1.8.1
Ignoring nokogiri-1.8.0 because its extensions are not built. Try: gem pristine nokogiri --version 1.8.0
Ignoring nokogiri-1.7.0.1 because its extensions are not built. Try: gem pristine nokogiri --version 1.7.0.1
Ignoring nokogiri-1.6.8.1 because its extensions are not built. Try: gem pristine nokogiri --version 1.6.8.1
Ignoring nokogiri-1.6.8 because its extensions are not built. Try: gem pristine nokogiri --version 1.6.8
Ignoring nokogiri-1.5.11 because its extensions are not built. Try: gem pristine nokogiri --version 1.5.11
Ignoring posix-spawn-0.3.9 because its extensions are not built. Try: gem pristine posix-spawn --version 0.3.9
Ignoring redcarpet-3.2.2 because its extensions are not built. Try: gem pristine redcarpet --version 3.2.2
Ignoring therubyracer-0.12.3 because its extensions are not built. Try: gem pristine therubyracer --version 0.12.3
Ignoring yajl-ruby-1.1.0 because its extensions are not built. Try: gem pristine yajl-ruby --version 1.1.0
[ +4 ms] mkfifo /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
[ +5 ms] Exit code 0 from: mkfifo /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
[ +1 ms] Starting Xcode build...
[ ] [ios/] /usr/bin/env xcrun xcodebuild -configuration Debug VERBOSE_SCRIPT_LOGGING=YES -workspace Runner.xcworkspace -scheme Runner BUILD_DIR=/Users/filiph/dev/hn_app/build/ios -sdk iphonesimulator -arch x86_64 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
[+1077 ms] ├─Assembling Flutter resources...
[+1176 ms] └─Compiling, linking and signing...
[+3772 ms] Build settings from command line:
ARCHS = x86_64
BUILD_DIR = /Users/filiph/dev/hn_app/build/ios
SCRIPT_OUTPUT_STREAM_FILE = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
SDKROOT = iphonesimulator11.4
VERBOSE_SCRIPT_LOGGING = YES
=== BUILD TARGET url_launcher OF PROJECT Pods WITH CONFIGURATION Debug ===
Check dependencies
=== BUILD TARGET Pods-Runner OF PROJECT Pods WITH CONFIGURATION Debug ===
Check dependencies
=== BUILD TARGET Runner OF PROJECT Runner WITH CONFIGURATION Debug ===
Check dependencies
The use of Swift 3 @objc inference in Swift 4 mode is deprecated. Please address deprecated @objc inference warnings, test your code with “Use of deprecated Swift 3 @objc inference” logging enabled, and then disable inference by changing the "Swift 3 @objc Inference" build setting to "Default" for the "Runner" target.
PhaseScriptExecution [CP]\ Check\ Pods\ Manifest.lock /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-29C214C214C14893FC40F685.sh
cd /Users/filiph/dev/hn_app/ios
/bin/sh -c /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-29C214C214C14893FC40F685.sh
PhaseScriptExecution Run\ Script /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh
cd /Users/filiph/dev/hn_app/ios
export ACTION=build
export AD_HOC_CODE_SIGNING_ALLOWED=YES
export ALTERNATE_GROUP=eng
export ALTERNATE_MODE=u+w,go-w,a+rX
export ALTERNATE_OWNER=filiph
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/filiph/dev/hn_app/build/ios
export BUILD_ROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Products
export BUILD_STYLE=
export BUILD_VARIANTS=normal
export BUILT_PRODUCTS_DIR=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export CACHE_ROOT=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/Xcode
export CCHROOT=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/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/filiph/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/JavaClasses
export CLEAN_PRECOMPS=YES
export CLONE_HEADERS=NO
export CODESIGNING_FOLDER_PATH=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
export CODE_SIGNING_ALLOWED=YES
export CODE_SIGNING_REQUIRED=YES
export CODE_SIGN_CONTEXT_CLASS=XCiPhoneSimulatorCodeSignContext
export CODE_SIGN_IDENTITY=-
export CODE_SIGN_INJECT_BASE_ENTITLEMENTS=YES
export COLOR_DIAGNOSTICS=NO
export COMBINE_HIDPI_IMAGES=NO
export COMMAND_MODE=legacy
export COMPILER_INDEX_STORE_ENABLE=Default
export COMPOSITE_SDK_DIRS=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/CompositeSDKs
export COMPRESS_PNG_FILES=YES
export CONFIGURATION=Debug
export CONFIGURATION_BUILD_DIR=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export CONFIGURATION_TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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.4.sdk
export CORRESPONDING_DEVICE_SDK_NAME=iphoneos11.4
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.1 11.2 11.3 11.4"
export DERIVED_FILES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
export DERIVED_FILE_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
export DERIVED_SOURCES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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 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_ACCOMPANY_PRODUCT=NO
export DWARF_DSYM_FOLDER_PATH=/Users/filiph/dev/hn_app/build/ios/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects/LinkFileList
export FIXED_FILES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/FixedFiles
export FLUTTER_APPLICATION_PATH=/Users/filiph/dev/hn_app
export FLUTTER_BUILD_DIR=build
export FLUTTER_BUILD_MODE=debug
export FLUTTER_FRAMEWORK_DIR=/Users/filiph/dev/flutter/bin/cache/artifacts/engine/ios
export FLUTTER_ROOT=/Users/filiph/dev/flutter
export FLUTTER_TARGET=lib/main.dart
export FRAMEWORKS_FOLDER_PATH=Runner.app/Frameworks
export FRAMEWORK_FLAG_PREFIX=-framework
export FRAMEWORK_SEARCH_PATHS="/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher /Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios /Users/filiph/dev/hn_app/ios/Flutter"
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 GCC_OPTIMIZATION_LEVEL=0
export GCC_PFE_FILE_C_DIALECTS="c objective-c c++ objective-c++"
export GCC_PREPROCESSOR_DEFINITIONS="DEBUG=1 COCOAPODS=1 COCOAPODS=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=5000
export GROUP=eng
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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include "
export HIDE_BITCODE_SYMBOLS=YES
export HOME=/Users/filiph
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=eng
export INSTALL_MODE_FLAG=u+w,go-w,a+rX
export INSTALL_OWNER=filiph
export INSTALL_PATH=/Applications
export INSTALL_ROOT=/tmp/Runner.dst
export IPHONEOS_DEPLOYMENT_TARGET=8.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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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"
export 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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator /Users/filiph/dev/hn_app/ios/Flutter"
export LINKER_DISPLAYS_MANGLED_NAMES=NO
export LINK_FILE_LIST_normal_x86_64=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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=17E202
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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
export MODULE_CACHE_DIR=/Users/filiph/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects
export OBJECT_FILE_DIR_normal=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal
export OBJROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex
export ONLY_ACTIVE_ARCH=YES
export OS=MACOS
export OSAC=/usr/bin/osacompile
export OTHER_CFLAGS=" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\""
export OTHER_CPLUSPLUSFLAGS=" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\""
export OTHER_LDFLAGS=" -framework \"Flutter\" -framework \"url_launcher\" -framework \"Flutter\" -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:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:/Users/filiph/.pub-cache/bin:/Users/filiph/gsutil:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
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/Developer/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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/filiph/dev/hn_app/build/ios
export PODS_CONFIGURATION_BUILD_DIR=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export PODS_PODFILE_DIR_PATH=/Users/filiph/dev/hn_app/ios/.
export PODS_ROOT=/Users/filiph/dev/hn_app/ios/Pods
export PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR=YES
export PRECOMP_DESTINATION_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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=hn_app.flutter.io.hnApp
export PRODUCT_MODULE_NAME=Runner
export PRODUCT_NAME=Runner
export PRODUCT_SETTINGS_PATH=/Users/filiph/dev/hn_app/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/DerivedSources
export PROJECT_DIR=/Users/filiph/dev/hn_app/ios
export PROJECT_FILE_PATH=/Users/filiph/dev/hn_app/ios/Runner.xcodeproj
export PROJECT_NAME=Runner
export PROJECT_TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build
export PROJECT_TEMP_ROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources
export REZ_OBJECTS_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources/Objects
export REZ_SEARCH_PATHS="/Users/filiph/dev/hn_app/build/ios/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 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_DIR_iphonesimulator11_4=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_NAME=iphonesimulator11.4
export SDK_NAMES=iphonesimulator11.4
export SDK_PRODUCT_BUILD_VERSION=15F79
export SDK_VERSION=11.4
export SDK_VERSION_ACTUAL=110400
export SDK_VERSION_MAJOR=110000
export SDK_VERSION_MINOR=400
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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/DerivedSources
export SHARED_FRAMEWORKS_FOLDER_PATH=Runner.app/SharedFrameworks
export SHARED_PRECOMPS_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders
export SHARED_SUPPORT_FOLDER_PATH=Runner.app/SharedSupport
export SKIP_INSTALL=NO
export SOURCE_ROOT=/Users/filiph/dev/hn_app/ios
export SRCROOT=/Users/filiph/dev/hn_app/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_OBJC_BRIDGING_HEADER=Runner/Runner-Bridging-Header.h
export SWIFT_OPTIMIZATION_LEVEL=-Onone
export SWIFT_PLATFORM_TARGET_PREFIX=ios
export SWIFT_SWIFT3_OBJC_INFERENCE=On
export SWIFT_VERSION=4.0
export SYMROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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_DEVELOPER_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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export TARGET_DEVICE_IDENTIFIER="dvtdevice-DVTiOSDeviceSimulatorPlaceholder-iphonesimulator:placeholder"
export TARGET_NAME=Runner
export TARGET_TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_FILES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_FILE_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_ROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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=74285
export UNLOCALIZED_RESOURCES_FOLDER_PATH=Runner.app
export UNSTRIPPED_PRODUCT=NO
export USER=filiph
export USER_APPS_DIR=/Users/filiph/Applications
export USER_LIBRARY_DIR=/Users/filiph/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 VERBOSE_SCRIPT_LOGGING=YES
export VERSIONPLIST_PATH=Runner.app/version.plist
export VERSION_INFO_BUILDER=filiph
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=9F1027a
export XCODE_VERSION_ACTUAL=0940
export XCODE_VERSION_MAJOR=0900
export XCODE_VERSION_MINOR=0940
export XPCSERVICES_FOLDER_PATH=Runner.app/XPCServices
export YACC=yacc
export arch=x86_64
export variant=normal
/bin/sh -c /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-9740EEB61CF901F6004384FC.sh
♦ mkdir -p -- /Users/filiph/dev/hn_app/ios/Flutter
♦ rm -rf -- /Users/filiph/dev/hn_app/ios/Flutter/Flutter.framework
♦ rm -rf -- /Users/filiph/dev/hn_app/ios/Flutter/App.framework
♦ cp -r -- /Users/filiph/dev/flutter/bin/cache/artifacts/engine/ios/Flutter.framework /Users/filiph/dev/hn_app/ios/Flutter
♦ find /Users/filiph/dev/hn_app/ios/Flutter/Flutter.framework -type f -exec chmod a-w {} ;
♦ mkdir -p -- /Users/filiph/dev/hn_app/ios/Flutter/App.framework
♦ eval
♦ cp -- /Users/filiph/dev/hn_app/ios/Flutter/AppFrameworkInfo.plist /Users/filiph/dev/hn_app/ios/Flutter/App.framework/Info.plist
♦ /Users/filiph/dev/flutter/bin/flutter --suppress-analytics --verbose build bundle --target=lib/main.dart --snapshot=build/snapshot_blob.bin --depfile=build/snapshot_blob.bin.d --asset-dir=/Users/filiph/dev/hn_app/ios/Flutter/flutter_assets --preview-dart-2
[ +6 ms] [/Users/filiph/dev/flutter/] git rev-parse --abbrev-ref --symbolic @{u}
[ +35 ms] Exit code 0 from: git rev-parse --abbrev-ref --symbolic @{u}
[ ] origin/beta
[ ] [/Users/filiph/dev/flutter/] git rev-parse --abbrev-ref HEAD
[ +5 ms] Exit code 0 from: git rev-parse --abbrev-ref HEAD
[ ] beta
[ ] [/Users/filiph/dev/flutter/] git ls-remote --get-url origin
[ +5 ms] Exit code 0 from: git ls-remote --get-url origin
[ ] https://github.com/flutter/flutter.git
[ ] [/Users/filiph/dev/flutter/] git log -n 1 --pretty=format:%H
[ +5 ms] Exit code 0 from: git log -n 1 --pretty=format:%H
[ ] f9bb4289e9fd861d70ae78bcc3a042ef1b35cc9d
[ ] [/Users/filiph/dev/flutter/] git log -n 1 --pretty=format:%ar
[ +5 ms] Exit code 0 from: git log -n 1 --pretty=format:%ar
[ ] 3 weeks ago
[ ] [/Users/filiph/dev/flutter/] git describe --match v*.*.* --first-parent --long --tags
[ +6 ms] Exit code 0 from: git describe --match v*.*.* --first-parent --long --tags
[ ] v0.4.4-0-gf9bb4289e
[ +206 ms] Found plugin url_launcher at /Users/filiph/dev/flutter/.pub-cache/hosted/pub.dartlang.org/url_launcher-3.0.2/
[ +281 ms] Skipping kernel compilation. Fingerprint match.
[ +194 ms] Building bundle
[ ] Writing asset files to /Users/filiph/dev/hn_app/ios/Flutter/flutter_assets
[ +80 ms] Wrote /Users/filiph/dev/hn_app/ios/Flutter/flutter_assets
[ +10 ms] "flutter bundle" took 661ms.
Project /Users/filiph/dev/hn_app built and packaged successfully.
CompileSwiftSources normal x86_64 com.apple.xcode.tools.swift.compiler
cd /Users/filiph/dev/hn_app/ios
export DEVELOPER_DIR=/Applications/Xcode.app/Contents/Developer
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swiftc -incremental -module-name Runner -Onone -enforce-exclusivity=checked -Xfrontend -enable-swift3-objc-inference -Xfrontend -warn-swift3-objc-inference-minimal -sdk /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -target x86_64-apple-ios8.0 -g -module-cache-path /Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -Xfrontend -serialize-debugging-options -enable-testing -index-store-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Index/DataStore -swift-version 4 -I /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher -F /Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios -F /Users/filiph/dev/hn_app/ios/Flutter -parse-as-library -c -j8 /Users/filiph/dev/hn_app/ios/Runner/AppDelegate.swift -output-file-map /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner-OutputFileMap.json -parseable-output -serialize-diagnostics -emit-dependencies -emit-module -emit-module-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.swiftmodule -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/swift-overrides.hmap -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-non-framework-target-headers.hmap -Xcc -ivfsoverlay -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/all-product-headers.yaml -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -Xcc -I/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -Xcc -DDEBUG=1 -Xcc -DCOCOAPODS=1 -Xcc -DCOCOAPODS=1 -emit-objc-header -emit-objc-header-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner-Swift.h -import-objc-header /Users/filiph/dev/hn_app/ios/Runner/Runner-Bridging-Header.h -pch-output-dir /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders -Xcc -working-directory/Users/filiph/dev/hn_app/ios
PrecompileSwiftBridgingHeader normal x86_64
cd /Users/filiph/dev/hn_app/ios
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swift -frontend -target x86_64-apple-ios8.0 -enable-objc-interop -sdk /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -I /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher -F /Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios -F /Users/filiph/dev/hn_app/ios/Flutter -enable-testing -g -module-cache-path /Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -swift-version 4 -enforce-exclusivity=checked -Onone -enable-swift3-objc-inference -warn-swift3-objc-inference-minimal -serialize-debugging-options -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/swift-overrides.hmap -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-non-framework-target-headers.hmap -Xcc -ivfsoverlay -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/all-product-headers.yaml -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -Xcc -I/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -Xcc -DDEBUG=1 -Xcc -DCOCOAPODS=1 -Xcc -DCOCOAPODS=1 -Xcc -working-directory/Users/filiph/dev/hn_app/ios -serialize-diagnostics-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders/Runner-Bridging-Header-1C2XJGQ58QHUF.dia /Users/filiph/dev/hn_app/ios/Runner/Runner-Bridging-Header.h -index-store-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Index/DataStore -emit-pch -pch-output-dir /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders
fatal error: file '/Users/filiph/dev/hn_app/ios/Runner/GeneratedPluginRegistrant.h' has been modified since the precompiled header '/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders/Runner-Bridging-Header-swift_SBYI18I7DX3W-clang_2IFQ2RUXKFQCN.pch' was built
note: please rebuild precompiled header '/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders/Runner-Bridging-Header-swift_SBYI18I7DX3W-clang_2IFQ2RUXKFQCN.pch'
CompileSwift normal x86_64 /Users/filiph/dev/hn_app/ios/Runner/AppDelegate.swift
cd /Users/filiph/dev/hn_app/ios
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swift -frontend -c -primary-file /Users/filiph/dev/hn_app/ios/Runner/AppDelegate.swift -target x86_64-apple-ios8.0 -enable-objc-interop -sdk /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -I /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher -F /Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios -F /Users/filiph/dev/hn_app/ios/Flutter -enable-testing -g -module-cache-path /Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -swift-version 4 -enforce-exclusivity=checked -Onone -enable-swift3-objc-inference -warn-swift3-objc-inference-minimal -serialize-debugging-options -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/swift-overrides.hmap -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-non-framework-target-headers.hmap -Xcc -ivfsoverlay -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/all-product-headers.yaml -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -Xcc -I/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -Xcc -DDEBUG=1 -Xcc -DCOCOAPODS=1 -Xcc -DCOCOAPODS=1 -Xcc -working-directory/Users/filiph/dev/hn_app/ios -emit-module-doc-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate~partial.swiftdoc -serialize-diagnostics-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.dia -import-objc-header /Users/filiph/dev/hn_app/ios/Runner/Runner-Bridging-Header.h -pch-output-dir /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders -pch-disable-validation -parse-as-library -module-name Runner -emit-module-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule -emit-dependencies-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.d -emit-reference-dependencies-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.swiftdeps -o /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate.o -index-store-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Index/DataStore -index-system-modules
MergeSwiftModule normal x86_64 /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.swiftmodule
cd /Users/filiph/dev/hn_app/ios
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swift -frontend -merge-modules -emit-module /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/AppDelegate~partial.swiftmodule -parse-as-library -sil-merge-partial-modules -disable-diagnostic-passes -disable-sil-perf-optzns -target x86_64-apple-ios8.0 -enable-objc-interop -sdk /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -I /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher -F /Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios -F /Users/filiph/dev/hn_app/ios/Flutter -enable-testing -g -module-cache-path /Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -swift-version 4 -enforce-exclusivity=checked -Onone -enable-swift3-objc-inference -warn-swift3-objc-inference-minimal -serialize-debugging-options -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/swift-overrides.hmap -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-non-framework-target-headers.hmap -Xcc -ivfsoverlay -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/all-product-headers.yaml -Xcc -iquote -Xcc /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -Xcc -I/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -Xcc -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -Xcc -DDEBUG=1 -Xcc -DCOCOAPODS=1 -Xcc -DCOCOAPODS=1 -Xcc -working-directory/Users/filiph/dev/hn_app/ios -emit-module-doc-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.swiftdoc -import-objc-header /Users/filiph/dev/hn_app/ios/Runner/Runner-Bridging-Header.h -module-name Runner -emit-objc-header-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner-Swift.h -o /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.swiftmodule
CompileC /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.o Runner/GeneratedPluginRegistrant.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler
cd /Users/filiph/dev/hn_app/ios
export LANG=en_US.US-ASCII
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -arch x86_64 -fmessage-length=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit=0 -std=gnu99 -fobjc-arc -fmodules -gmodules -fmodules-cache-path=/Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval=86400 -fmodules-prune-after=345600 -fbuild-session-file=/Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror=return-type -Wunreachable-code -Wno-implicit-atomic-properties -Werror=deprecated-objc-isa-usage -Werror=objc-root-class -Wno-arc-repeated-use-of-weak -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wno-deprecated-implementations -DDEBUG=1 -DCOCOAPODS=1 -DCOCOAPODS=1 -DOBJC_OLD_DISPATCH_PROTOTYPES=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -mios-simulator-version-min=8.0 -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -fobjc-abi-version=2 -fobjc-legacy-dispatch -index-store-path /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Index/DataStore -iquote /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-generated-files.hmap -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-own-target-headers.hmap -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-all-non-framework-target-headers.hmap -ivfsoverlay /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/all-product-headers.yaml -iquote /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-project-headers.hmap -I/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources/x86_64 -I/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources -F/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher -F/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios -F/Users/filiph/dev/hn_app/ios/Flutter -iquote /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers -iquote /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers -MMD -MT dependencies -MF /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.d --serialize-diagnostics /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.dia -c /Users/filiph/dev/hn_app/ios/Runner/GeneratedPluginRegistrant.m -o /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.o
Ld /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Runner normal x86_64
cd /Users/filiph/dev/hn_app/ios
export IPHONEOS_DEPLOYMENT_TARGET=8.0
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -arch x86_64 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk -L/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -L/Users/filiph/dev/hn_app/ios/Flutter -F/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator -F/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher -F/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios -F/Users/filiph/dev/hn_app/ios/Flutter -filelist /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.LinkFileList -Xlinker -rpath -Xlinker @executable_path/Frameworks -Xlinker -rpath -Xlinker @loader_path/Frameworks -Xlinker -rpath -Xlinker @executable_path/Frameworks -Xlinker -rpath -Xlinker @loader_path/Frameworks -Xlinker -rpath -Xlinker @executable_path/Frameworks -mios-simulator-version-min=8.0 -dead_strip -Xlinker -object_path_lto -Xlinker /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_lto.o -Xlinker -export_dynamic -Xlinker -no_deduplicate -Xlinker -objc_abi_version -Xlinker 2 -fobjc-arc -fobjc-link-runtime -L/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/iphonesimulator -Xlinker -add_ast_path -Xlinker /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner.swiftmodule -framework Flutter -framework url_launcher -framework Flutter -framework url_launcher -Xlinker -sectcreate -Xlinker __TEXT -Xlinker __entitlements -Xlinker /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner.app-Simulated.xcent -framework Flutter -framework App -framework Pods_Runner -Xlinker -dependency_info -Xlinker /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_dependency_info.dat -o /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Runner
CpResource Flutter/Generated.xcconfig /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Generated.xcconfig
cd /Users/filiph/dev/hn_app/ios
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
builtin-copy -exclude .DS_Store -exclude CVS -exclude .svn -exclude .git -exclude .hg -resolve-src-symlinks /Users/filiph/dev/hn_app/ios/Flutter/Generated.xcconfig /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
CpResource Flutter/flutter_assets /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/flutter_assets
cd /Users/filiph/dev/hn_app/ios
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
builtin-copy -exclude .DS_Store -exclude CVS -exclude .svn -exclude .git -exclude .hg -resolve-src-symlinks /Users/filiph/dev/hn_app/ios/Flutter/flutter_assets /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
PBXCp Flutter/App.framework /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/App.framework
cd /Users/filiph/dev/hn_app/ios
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
builtin-copy -exclude .DS_Store -exclude CVS -exclude .svn -exclude .git -exclude .hg -exclude Headers -exclude PrivateHeaders -exclude Modules -exclude *.tbd -resolve-src-symlinks /Users/filiph/dev/hn_app/ios/Flutter/App.framework /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks
PBXCp Flutter/Flutter.framework /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework
cd /Users/filiph/dev/hn_app/ios
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
builtin-copy -exclude .DS_Store -exclude CVS -exclude .svn -exclude .git -exclude .hg -exclude Headers -exclude PrivateHeaders -exclude Modules -exclude *.tbd -resolve-src-symlinks /Users/filiph/dev/hn_app/ios/Flutter/Flutter.framework /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks
CodeSign /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/App.framework
cd /Users/filiph/dev/hn_app/ios
export CODESIGN_ALLOCATE=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/codesign_allocate
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
Signing Identity: "-"
/usr/bin/codesign --force --sign - --preserve-metadata=identifier,entitlements,flags --timestamp=none /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/App.framework
PhaseScriptExecution Thin\ Binary /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-3B06AD1E1E4923F5004D2608.sh
cd /Users/filiph/dev/hn_app/ios
export ACTION=build
export AD_HOC_CODE_SIGNING_ALLOWED=YES
export ALTERNATE_GROUP=eng
export ALTERNATE_MODE=u+w,go-w,a+rX
export ALTERNATE_OWNER=filiph
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/filiph/dev/hn_app/build/ios
export BUILD_ROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Products
export BUILD_STYLE=
export BUILD_VARIANTS=normal
export BUILT_PRODUCTS_DIR=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export CACHE_ROOT=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/Xcode
export CCHROOT=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/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/filiph/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/JavaClasses
export CLEAN_PRECOMPS=YES
export CLONE_HEADERS=NO
export CODESIGNING_FOLDER_PATH=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
export CODE_SIGNING_ALLOWED=YES
export CODE_SIGNING_REQUIRED=YES
export CODE_SIGN_CONTEXT_CLASS=XCiPhoneSimulatorCodeSignContext
export CODE_SIGN_IDENTITY=-
export CODE_SIGN_INJECT_BASE_ENTITLEMENTS=YES
export COLOR_DIAGNOSTICS=NO
export COMBINE_HIDPI_IMAGES=NO
export COMMAND_MODE=legacy
export COMPILER_INDEX_STORE_ENABLE=Default
export COMPOSITE_SDK_DIRS=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/CompositeSDKs
export COMPRESS_PNG_FILES=YES
export CONFIGURATION=Debug
export CONFIGURATION_BUILD_DIR=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export CONFIGURATION_TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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.4.sdk
export CORRESPONDING_DEVICE_SDK_NAME=iphoneos11.4
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.1 11.2 11.3 11.4"
export DERIVED_FILES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
export DERIVED_FILE_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
export DERIVED_SOURCES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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 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_ACCOMPANY_PRODUCT=NO
export DWARF_DSYM_FOLDER_PATH=/Users/filiph/dev/hn_app/build/ios/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects/LinkFileList
export FIXED_FILES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/FixedFiles
export FLUTTER_APPLICATION_PATH=/Users/filiph/dev/hn_app
export FLUTTER_BUILD_DIR=build
export FLUTTER_BUILD_MODE=debug
export FLUTTER_FRAMEWORK_DIR=/Users/filiph/dev/flutter/bin/cache/artifacts/engine/ios
export FLUTTER_ROOT=/Users/filiph/dev/flutter
export FLUTTER_TARGET=lib/main.dart
export FRAMEWORKS_FOLDER_PATH=Runner.app/Frameworks
export FRAMEWORK_FLAG_PREFIX=-framework
export FRAMEWORK_SEARCH_PATHS="/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher /Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios /Users/filiph/dev/hn_app/ios/Flutter"
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 GCC_OPTIMIZATION_LEVEL=0
export GCC_PFE_FILE_C_DIALECTS="c objective-c c++ objective-c++"
export GCC_PREPROCESSOR_DEFINITIONS="DEBUG=1 COCOAPODS=1 COCOAPODS=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=5000
export GROUP=eng
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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/include "
export HIDE_BITCODE_SYMBOLS=YES
export HOME=/Users/filiph
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=eng
export INSTALL_MODE_FLAG=u+w,go-w,a+rX
export INSTALL_OWNER=filiph
export INSTALL_PATH=/Applications
export INSTALL_ROOT=/tmp/Runner.dst
export IPHONEOS_DEPLOYMENT_TARGET=8.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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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"
export 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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator /Users/filiph/dev/hn_app/ios/Flutter"
export LINKER_DISPLAYS_MANGLED_NAMES=NO
export LINK_FILE_LIST_normal_x86_64=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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=17E202
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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
export MODULE_CACHE_DIR=/Users/filiph/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects
export OBJECT_FILE_DIR_normal=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal
export OBJROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex
export ONLY_ACTIVE_ARCH=YES
export OS=MACOS
export OSAC=/usr/bin/osacompile
export OTHER_CFLAGS=" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\""
export OTHER_CPLUSPLUSFLAGS=" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\" -iquote \"/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers\""
export OTHER_LDFLAGS=" -framework \"Flutter\" -framework \"url_launcher\" -framework \"Flutter\" -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:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:/Users/filiph/.pub-cache/bin:/Users/filiph/gsutil:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
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/Developer/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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/filiph/dev/hn_app/build/ios
export PODS_CONFIGURATION_BUILD_DIR=/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export PODS_PODFILE_DIR_PATH=/Users/filiph/dev/hn_app/ios/.
export PODS_ROOT=/Users/filiph/dev/hn_app/ios/Pods
export PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR=YES
export PRECOMP_DESTINATION_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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=hn_app.flutter.io.hnApp
export PRODUCT_MODULE_NAME=Runner
export PRODUCT_NAME=Runner
export PRODUCT_SETTINGS_PATH=/Users/filiph/dev/hn_app/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/DerivedSources
export PROJECT_DIR=/Users/filiph/dev/hn_app/ios
export PROJECT_FILE_PATH=/Users/filiph/dev/hn_app/ios/Runner.xcodeproj
export PROJECT_NAME=Runner
export PROJECT_TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build
export PROJECT_TEMP_ROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources
export REZ_OBJECTS_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources/Objects
export REZ_SEARCH_PATHS="/Users/filiph/dev/hn_app/build/ios/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 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_DIR_iphonesimulator11_4=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
export SDK_NAME=iphonesimulator11.4
export SDK_NAMES=iphonesimulator11.4
export SDK_PRODUCT_BUILD_VERSION=15F79
export SDK_VERSION=11.4
export SDK_VERSION_ACTUAL=110400
export SDK_VERSION_MAJOR=110000
export SDK_VERSION_MINOR=400
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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/DerivedSources
export SHARED_FRAMEWORKS_FOLDER_PATH=Runner.app/SharedFrameworks
export SHARED_PRECOMPS_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders
export SHARED_SUPPORT_FOLDER_PATH=Runner.app/SharedSupport
export SKIP_INSTALL=NO
export SOURCE_ROOT=/Users/filiph/dev/hn_app/ios
export SRCROOT=/Users/filiph/dev/hn_app/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_OBJC_BRIDGING_HEADER=Runner/Runner-Bridging-Header.h
export SWIFT_OPTIMIZATION_LEVEL=-Onone
export SWIFT_PLATFORM_TARGET_PREFIX=ios
export SWIFT_SWIFT3_OBJC_INFERENCE=On
export SWIFT_VERSION=4.0
export SYMROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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_DEVELOPER_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/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
export TARGET_DEVICE_IDENTIFIER="dvtdevice-DVTiOSDeviceSimulatorPlaceholder-iphonesimulator:placeholder"
export TARGET_NAME=Runner
export TARGET_TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_FILES_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_FILE_DIR=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
export TEMP_ROOT=/Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/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=74285
export UNLOCALIZED_RESOURCES_FOLDER_PATH=Runner.app
export UNSTRIPPED_PRODUCT=NO
export USER=filiph
export USER_APPS_DIR=/Users/filiph/Applications
export USER_LIBRARY_DIR=/Users/filiph/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 VERBOSE_SCRIPT_LOGGING=YES
export VERSIONPLIST_PATH=Runner.app/version.plist
export VERSION_INFO_BUILDER=filiph
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=9F1027a
export XCODE_VERSION_ACTUAL=0940
export XCODE_VERSION_MAJOR=0900
export XCODE_VERSION_MINOR=0940
export XPCSERVICES_FOLDER_PATH=Runner.app/XPCServices
export YACC=yacc
export arch=x86_64
export variant=normal
/bin/sh -c /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-3B06AD1E1E4923F5004D2608.sh
PhaseScriptExecution [CP]\ Embed\ Pods\ Frameworks /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-E7ABE1EB99D5153A5F4ED712.sh
cd /Users/filiph/dev/hn_app/ios
/bin/sh -c /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Script-E7ABE1EB99D5153A5F4ED712.sh
mkdir -p /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks
rsync --delete -av --filter P .*.?????? --filter "- CVS/" --filter "- .svn/" --filter "- .git/" --filter "- .hg/" --filter "- Headers" --filter "- PrivateHeaders" --filter "- Modules" "/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios/Flutter.framework" "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks"
building file list ... done
Flutter.framework/
Flutter.framework/Flutter
Flutter.framework/Info.plist
Flutter.framework/icudtl.dat
sent 73308715 bytes received 92 bytes 146617614.00 bytes/sec
total size is 73299467 speedup is 1.00
Stripped /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework/Flutter of architectures: armv7 arm64
Code Signing /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework with Identity -
/usr/bin/codesign --force --sign - --preserve-metadata=identifier,entitlements '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework'
rsync --delete -av --filter P .*.?????? --filter "- CVS/" --filter "- .svn/" --filter "- .git/" --filter "- .hg/" --filter "- Headers" --filter "- PrivateHeaders" --filter "- Modules" "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework" "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks"
building file list ... done
deleting url_launcher.framework/_CodeSignature/CodeResources
deleting url_launcher.framework/_CodeSignature/
url_launcher.framework/
url_launcher.framework/url_launcher
sent 50189 bytes received 48 bytes 100474.00 bytes/sec
total size is 50773 speedup is 1.01
Code Signing /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/url_launcher.framework with Identity -
/usr/bin/codesign --force --sign - --preserve-metadata=identifier,entitlements '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/url_launcher.framework'
CodeSign /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework
cd /Users/filiph/dev/hn_app/ios
export CODESIGN_ALLOCATE=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/codesign_allocate
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
Signing Identity: "-"
/usr/bin/codesign --force --sign - --preserve-metadata=identifier,entitlements,flags --timestamp=none /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework
/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/Flutter.framework: replacing existing signature
CopySwiftLibs /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
cd /Users/filiph/dev/hn_app/ios
export CODESIGN_ALLOCATE=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/codesign_allocate
export DEVELOPER_DIR=/Applications/Xcode.app/Contents/Developer
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
builtin-swiftStdLibTool --copy --verbose --sign - --scan-executable /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Runner --scan-folder /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks --scan-folder /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/PlugIns --scan-folder /Users/filiph/dev/hn_app/ios/Flutter/Flutter.framework --scan-folder /Users/filiph/dev/hn_app/ios/Flutter/App.framework --scan-folder /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Pods_Runner.framework --platform iphonesimulator --toolchain /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain --destination /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks --strip-bitcode --resource-destination /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app --resource-library libswiftRemoteMirror.dylib
Requested Swift ABI version based on scanned binaries: 6
libswiftCore.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib
libswiftCoreAudio.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib
libswiftCoreFoundation.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib
libswiftCoreGraphics.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib
libswiftCoreImage.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib
libswiftCoreMedia.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib
libswiftDarwin.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib
libswiftDispatch.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib
libswiftFoundation.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib
libswiftMetal.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib
libswiftObjectiveC.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib
libswiftQuartzCore.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib
libswiftUIKit.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib
libswiftos.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib
libswiftRemoteMirror.dylib is up to date at /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/libswiftRemoteMirror.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCore.dylib is unchanged; keeping original
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylibProbing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib' /usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib'
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib'
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib'
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib'
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib'
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib'
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib'
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreFoundation.dylib is unchanged; keeping original
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDarwin.dylib is unchanged; keeping original
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreAudio.dylib is unchanged; keeping original
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib'
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftMetal.dylib is unchanged; keeping original
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreImage.dylib is unchanged; keeping original
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftDispatch.dylib is unchanged; keeping original
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreGraphics.dylib is unchanged; keeping original
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib'
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib'
Codesigning /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib
/usr/bin/codesign '--force' '--sign' '-' '--verbose' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib'
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftCoreMedia.dylib is unchanged; keeping original
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftObjectiveC.dylib is unchanged; keeping original
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftQuartzCore.dylib is unchanged; keeping original
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftos.dylib is unchanged; keeping original
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftUIKit.dylib is unchanged; keeping original
Probing signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib
/usr/bin/codesign '-r-' '--display' '/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib'
Code signature of /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app/Frameworks/libswiftFoundation.dylib is unchanged; keeping original
Touch /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
cd /Users/filiph/dev/hn_app/ios
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
/usr/bin/touch -c /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
CodeSign /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
cd /Users/filiph/dev/hn_app/ios
export CODESIGN_ALLOCATE=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/codesign_allocate
export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin"
Signing Identity: "-"
/usr/bin/codesign --force --sign - --entitlements /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner.app.xcent --timestamp=none /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
** BUILD SUCCEEDED **
[ +18 ms] Xcode build done.
[ ] [ios/] /usr/bin/env xcrun xcodebuild -configuration Debug VERBOSE_SCRIPT_LOGGING=YES -workspace Runner.xcworkspace -scheme Runner BUILD_DIR=/Users/filiph/dev/hn_app/build/ios -sdk iphonesimulator -arch x86_64 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout -showBuildSettings
[ +718 ms] Exit code 0 from: /usr/bin/env xcrun xcodebuild -configuration Debug VERBOSE_SCRIPT_LOGGING=YES -workspace Runner.xcworkspace -scheme Runner BUILD_DIR=/Users/filiph/dev/hn_app/build/ios -sdk iphonesimulator -arch x86_64 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout -showBuildSettings
[ ] Build settings from command line:
ARCHS = x86_64
BUILD_DIR = /Users/filiph/dev/hn_app/build/ios
SCRIPT_OUTPUT_STREAM_FILE = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
SDKROOT = iphonesimulator11.4
VERBOSE_SCRIPT_LOGGING = YES
Build settings for action build and target Runner:
ACTION = build
AD_HOC_CODE_SIGNING_ALLOWED = YES
ALTERNATE_GROUP = eng
ALTERNATE_MODE = u+w,go-w,a+rX
ALTERNATE_OWNER = filiph
ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO
ALWAYS_SEARCH_USER_PATHS = NO
ALWAYS_USE_SEPARATE_HEADERMAPS = NO
APPLE_INTERNAL_DEVELOPER_DIR = /AppleInternal/Developer
APPLE_INTERNAL_DIR = /AppleInternal
APPLE_INTERNAL_DOCUMENTATION_DIR = /AppleInternal/Documentation
APPLE_INTERNAL_LIBRARY_DIR = /AppleInternal/Library
APPLE_INTERNAL_TOOLS = /AppleInternal/Developer/Tools
APPLICATION_EXTENSION_API_ONLY = NO
APPLY_RULES_IN_COPY_FILES = NO
ARCHS = x86_64
ARCHS_STANDARD = i386 x86_64
ARCHS_STANDARD_32_64_BIT = i386 x86_64
ARCHS_STANDARD_32_BIT = i386
ARCHS_STANDARD_64_BIT = x86_64
ARCHS_STANDARD_INCLUDING_64_BIT = i386 x86_64
ARCHS_UNIVERSAL_IPHONE_OS = i386 x86_64
ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon
AVAILABLE_PLATFORMS = appletvos appletvsimulator iphoneos iphonesimulator macosx watchos watchsimulator
BITCODE_GENERATION_MODE = marker
BUILD_ACTIVE_RESOURCES_ONLY = NO
BUILD_COMPONENTS = headers build
BUILD_DIR = /Users/filiph/dev/hn_app/build/ios
BUILD_ROOT = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Products
BUILD_STYLE =
BUILD_VARIANTS = normal
BUILT_PRODUCTS_DIR = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
CACHE_ROOT = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/Xcode
CCHROOT = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/C/com.apple.DeveloperTools/9.4-9F1027a/Xcode
CHMOD = /bin/chmod
CHOWN = /usr/sbin/chown
CLANG_ANALYZER_NONNULL = YES
CLANG_CXX_LANGUAGE_STANDARD = gnu++0x
CLANG_CXX_LIBRARY = libc++
CLANG_ENABLE_MODULES = YES
CLANG_ENABLE_OBJC_ARC = YES
CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES
CLANG_WARN_BOOL_CONVERSION = YES
CLANG_WARN_COMMA = YES
CLANG_WARN_CONSTANT_CONVERSION = YES
CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR
CLANG_WARN_EMPTY_BODY = YES
CLANG_WARN_ENUM_CONVERSION = YES
CLANG_WARN_INFINITE_RECURSION = YES
CLANG_WARN_INT_CONVERSION = YES
CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES
CLANG_WARN_OBJC_LITERAL_CONVERSION = YES
CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR
CLANG_WARN_RANGE_LOOP_ANALYSIS = YES
CLANG_WARN_STRICT_PROTOTYPES = YES
CLANG_WARN_SUSPICIOUS_MOVE = YES
CLANG_WARN_UNREACHABLE_CODE = YES
CLANG_WARN__DUPLICATE_METHOD_MATCH = YES
CLASS_FILE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/JavaClasses
CLEAN_PRECOMPS = YES
CLONE_HEADERS = NO
CODESIGNING_FOLDER_PATH = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
CODE_SIGNING_ALLOWED = YES
CODE_SIGNING_REQUIRED = YES
CODE_SIGN_CONTEXT_CLASS = XCiPhoneSimulatorCodeSignContext
CODE_SIGN_IDENTITY = -
CODE_SIGN_INJECT_BASE_ENTITLEMENTS = YES
COLOR_DIAGNOSTICS = NO
COMBINE_HIDPI_IMAGES = NO
COMPILER_INDEX_STORE_ENABLE = Default
COMPOSITE_SDK_DIRS = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/CompositeSDKs
COMPRESS_PNG_FILES = YES
CONFIGURATION = Debug
CONFIGURATION_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
CONFIGURATION_TEMP_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator
CONTENTS_FOLDER_PATH = Runner.app
COPYING_PRESERVES_HFS_DATA = NO
COPY_HEADERS_RUN_UNIFDEF = NO
COPY_PHASE_STRIP = NO
COPY_RESOURCES_FROM_STATIC_FRAMEWORKS = YES
CORRESPONDING_DEVICE_PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform
CORRESPONDING_DEVICE_PLATFORM_NAME = iphoneos
CORRESPONDING_DEVICE_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS11.4.sdk
CORRESPONDING_DEVICE_SDK_NAME = iphoneos11.4
CP = /bin/cp
CREATE_INFOPLIST_SECTION_IN_BINARY = NO
CURRENT_ARCH = x86_64
CURRENT_VARIANT = normal
DEAD_CODE_STRIPPING = YES
DEBUGGING_SYMBOLS = YES
DEBUG_INFORMATION_FORMAT = dwarf
DEFAULT_COMPILER = com.apple.compilers.llvm.clang.1_0
DEFAULT_KEXT_INSTALL_PATH = /System/Library/Extensions
DEFINES_MODULE = NO
DEPLOYMENT_LOCATION = NO
DEPLOYMENT_POSTPROCESSING = NO
DEPLOYMENT_TARGET_CLANG_ENV_NAME = IPHONEOS_DEPLOYMENT_TARGET
DEPLOYMENT_TARGET_CLANG_FLAG_NAME = mios-simulator-version-min
DEPLOYMENT_TARGET_CLANG_FLAG_PREFIX = -mios-simulator-version-min=
DEPLOYMENT_TARGET_SETTING_NAME = IPHONEOS_DEPLOYMENT_TARGET
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.1 11.2 11.3 11.4
DERIVED_FILES_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
DERIVED_FILE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
DERIVED_SOURCES_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/DerivedSources
DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
DEVELOPER_FRAMEWORKS_DIR = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_FRAMEWORKS_DIR_QUOTED = /Applications/Xcode.app/Contents/Developer/Library/Frameworks
DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/Developer/Library
DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs
DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Tools
DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
DEVELOPMENT_LANGUAGE = English
DOCUMENTATION_FOLDER_PATH = Runner.app/English.lproj/Documentation
DO_HEADER_SCANNING_IN_JAM = NO
DSTROOT = /tmp/Runner.dst
DT_TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
DWARF_DSYM_FILE_NAME = Runner.app.dSYM
DWARF_DSYM_FILE_SHOULD_ACCOMPANY_PRODUCT = NO
DWARF_DSYM_FOLDER_PATH = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
EFFECTIVE_PLATFORM_NAME = -iphonesimulator
EMBEDDED_CONTENT_CONTAINS_SWIFT = NO
EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE = NO
ENABLE_BITCODE = NO
ENABLE_DEFAULT_HEADER_SEARCH_PATHS = YES
ENABLE_HEADER_DEPENDENCIES = YES
ENABLE_ON_DEMAND_RESOURCES = YES
ENABLE_STRICT_OBJC_MSGSEND = YES
ENABLE_TESTABILITY = YES
ENTITLEMENTS_REQUIRED = YES
EXCLUDED_INSTALLSRC_SUBDIRECTORY_PATTERNS = .DS_Store .svn .git .hg CVS
EXCLUDED_RECURSIVE_SEARCH_PATH_SUBDIRECTORIES = *.nib *.lproj *.framework *.gch *.xcode* *.xcassets (*) .DS_Store CVS .svn .git .hg *.pbproj *.pbxproj
EXECUTABLES_FOLDER_PATH = Runner.app/Executables
EXECUTABLE_FOLDER_PATH = Runner.app
EXECUTABLE_NAME = Runner
EXECUTABLE_PATH = Runner.app/Runner
EXPANDED_CODE_SIGN_IDENTITY =
EXPANDED_CODE_SIGN_IDENTITY_NAME =
EXPANDED_PROVISIONING_PROFILE =
FILE_LIST = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects/LinkFileList
FIXED_FILES_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/FixedFiles
FLUTTER_APPLICATION_PATH = /Users/filiph/dev/hn_app
FLUTTER_BUILD_DIR = build
FLUTTER_BUILD_MODE = debug
FLUTTER_FRAMEWORK_DIR = /Users/filiph/dev/flutter/bin/cache/artifacts/engine/ios
FLUTTER_ROOT = /Users/filiph/dev/flutter
FLUTTER_TARGET = lib/main.dart
FRAMEWORKS_FOLDER_PATH = Runner.app/Frameworks
FRAMEWORK_FLAG_PREFIX = -framework
FRAMEWORK_SEARCH_PATHS = "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher" "/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios" "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher" "/Users/filiph/dev/hn_app/ios/Pods/../.symlinks/flutter/ios" /Users/filiph/dev/hn_app/ios/Flutter
FRAMEWORK_VERSION = A
FULL_PRODUCT_NAME = Runner.app
GCC3_VERSION = 3.3
GCC_C_LANGUAGE_STANDARD = gnu99
GCC_DYNAMIC_NO_PIC = NO
GCC_INLINES_ARE_PRIVATE_EXTERN = YES
GCC_NO_COMMON_BLOCKS = YES
GCC_OBJC_LEGACY_DISPATCH = YES
GCC_OPTIMIZATION_LEVEL = 0
GCC_PFE_FILE_C_DIALECTS = c objective-c c++ objective-c++
GCC_PREPROCESSOR_DEFINITIONS = DEBUG=1 COCOAPODS=1 COCOAPODS=1
GCC_SYMBOLS_PRIVATE_EXTERN = NO
GCC_TREAT_WARNINGS_AS_ERRORS = NO
GCC_VERSION = com.apple.compilers.llvm.clang.1_0
GCC_VERSION_IDENTIFIER = com_apple_compilers_llvm_clang_1_0
GCC_WARN_64_TO_32_BIT_CONVERSION = YES
GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR
GCC_WARN_UNDECLARED_SELECTOR = YES
GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE
GCC_WARN_UNUSED_FUNCTION = YES
GCC_WARN_UNUSED_VARIABLE = YES
GENERATE_MASTER_OBJECT_FILE = NO
GENERATE_PKGINFO_FILE = YES
GENERATE_PROFILING_CODE = NO
GENERATE_TEXT_BASED_STUBS = NO
GID = 5000
GROUP = eng
HEADERMAP_INCLUDES_FLAT_ENTRIES_FOR_TARGET_BEING_BUILT = YES
HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_ALL_PRODUCT_TYPES = YES
HEADERMAP_INCLUDES_NONPUBLIC_NONPRIVATE_HEADERS = YES
HEADERMAP_INCLUDES_PROJECT_HEADERS = YES
HEADERMAP_USES_FRAMEWORK_PREFIX_ENTRIES = YES
HEADERMAP_USES_VFS = NO
HIDE_BITCODE_SYMBOLS = YES
HOME = /Users/filiph
ICONV = /usr/bin/iconv
INFOPLIST_EXPAND_BUILD_SETTINGS = YES
INFOPLIST_FILE = Runner/Info.plist
INFOPLIST_OUTPUT_FORMAT = binary
INFOPLIST_PATH = Runner.app/Info.plist
INFOPLIST_PREPROCESS = NO
INFOSTRINGS_PATH = Runner.app/English.lproj/InfoPlist.strings
INLINE_PRIVATE_FRAMEWORKS = NO
INSTALLHDRS_COPY_PHASE = NO
INSTALLHDRS_SCRIPT_PHASE = NO
INSTALL_DIR = /tmp/Runner.dst/Applications
INSTALL_GROUP = eng
INSTALL_MODE_FLAG = u+w,go-w,a+rX
INSTALL_OWNER = filiph
INSTALL_PATH = /Applications
INSTALL_ROOT = /tmp/Runner.dst
IPHONEOS_DEPLOYMENT_TARGET = 8.0
JAVAC_DEFAULT_FLAGS = -J-Xms64m -J-XX:NewSize=4M -J-Dfile.encoding=UTF8
JAVA_APP_STUB = /System/Library/Frameworks/JavaVM.framework/Resources/MacOS/JavaApplicationStub
JAVA_ARCHIVE_CLASSES = YES
JAVA_ARCHIVE_TYPE = JAR
JAVA_COMPILER = /usr/bin/javac
JAVA_FOLDER_PATH = Runner.app/Java
JAVA_FRAMEWORK_RESOURCES_DIRS = Resources
JAVA_JAR_FLAGS = cv
JAVA_SOURCE_SUBDIR = .
JAVA_USE_DEPENDENCIES = YES
JAVA_ZIP_FLAGS = -urg
JIKES_DEFAULT_FLAGS = +E +OLDCSO
KEEP_PRIVATE_EXTERNS = NO
LD_DEPENDENCY_INFO_FILE = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal/x86_64/Runner_dependency_info.dat
LD_GENERATE_MAP_FILE = NO
LD_MAP_FILE_PATH = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Runner-LinkMap-normal-x86_64.txt
LD_NO_PIE = NO
LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER = YES
LD_RUNPATH_SEARCH_PATHS = '@executable_path/Frameworks' '@loader_path/Frameworks' '@executable_path/Frameworks' '@loader_path/Frameworks' @executable_path/Frameworks
LEGACY_DEVELOPER_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer
LEX = lex
LIBRARY_FLAG_NOSPACE = YES
LIBRARY_FLAG_PREFIX = -l
LIBRARY_KEXT_INSTALL_PATH = /Library/Extensions
LIBRARY_SEARCH_PATHS = /Users/filiph/dev/hn_app/ios/Flutter
LINKER_DISPLAYS_MANGLED_NAMES = NO
LINK_FILE_LIST_normal_x86_64 =
LINK_WITH_STANDARD_LIBRARIES = YES
LOCALIZABLE_CONTENT_DIR =
LOCALIZED_RESOURCES_FOLDER_PATH = Runner.app/English.lproj
LOCALIZED_STRING_MACRO_NAMES = NSLocalizedString CFLocalizedString
LOCAL_ADMIN_APPS_DIR = /Applications/Utilities
LOCAL_APPS_DIR = /Applications
LOCAL_DEVELOPER_DIR = /Library/Developer
LOCAL_LIBRARY_DIR = /Library
LOCROOT =
LOCSYMROOT =
MACH_O_TYPE = mh_execute
MAC_OS_X_PRODUCT_BUILD_VERSION = 17E202
MAC_OS_X_VERSION_ACTUAL = 101304
MAC_OS_X_VERSION_MAJOR = 101300
MAC_OS_X_VERSION_MINOR = 1304
METAL_LIBRARY_FILE_BASE = default
METAL_LIBRARY_OUTPUT_DIR = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/Runner.app
MODULE_CACHE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/ModuleCache.noindex
MTL_ENABLE_DEBUG_INFO = YES
NATIVE_ARCH = i386
NATIVE_ARCH_32_BIT = i386
NATIVE_ARCH_64_BIT = x86_64
NATIVE_ARCH_ACTUAL = x86_64
NO_COMMON = YES
OBJC_ABI_VERSION = 2
OBJECT_FILE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects
OBJECT_FILE_DIR_normal = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/Objects-normal
OBJROOT = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex
ONLY_ACTIVE_ARCH = YES
OS = MACOS
OSAC = /usr/bin/osacompile
OTHER_CFLAGS = -iquote "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers" -iquote "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers"
OTHER_CPLUSPLUSFLAGS = -iquote "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers" -iquote "/Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/url_launcher/url_launcher.framework/Headers"
OTHER_LDFLAGS = -framework "Flutter" -framework "url_launcher" -framework "Flutter" -framework "url_launcher"
PACKAGE_TYPE = com.apple.package-type.wrapper.application
PASCAL_STRINGS = YES
PATH = /Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/google-cloud-sdk/bin:/usr/local/var/pyenv/shims:/Users/filiph/.nvm/versions/node/v6.10.3/bin:/Users/filiph/.rvm/gems/ruby-2.3.1/bin:/Users/filiph/.rvm/gems/ruby-2.3.1@global/bin:/Users/filiph/.rvm/rubies/ruby-2.3.1/bin:/Users/filiph/dev/flutter/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Applications/VMware Fusion.app/Contents/Public:/usr/local/go/bin:/opt/X11/bin:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Applications/dart/dart-sdk/bin:~/.pub-cache/bin:/Users/filiph/gsutil:~/.pub-cache/bin:/usr/local/bin/depot_tools:/Users/filiph/.rvm/bin
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/Developer/SDKs /Applications/Xcode.app/Contents/Developer/Platforms
PBDEVELOPMENTPLIST_PATH = Runner.app/pbdevelopment.plist
PFE_FILE_C_DIALECTS = objective-c
PKGINFO_FILE_PATH = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/PkgInfo
PKGINFO_PATH = Runner.app/PkgInfo
PLATFORM_DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Applications
PLATFORM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin
PLATFORM_DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer/Library
PLATFORM_DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs
PLATFORM_DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Tools
PLATFORM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr
PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform
PLATFORM_DISPLAY_NAME = iOS Simulator
PLATFORM_NAME = iphonesimulator
PLATFORM_PREFERRED_ARCH = x86_64
PLIST_FILE_OUTPUT_FORMAT = binary
PLUGINS_FOLDER_PATH = Runner.app/PlugIns
PODS_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios
PODS_CONFIGURATION_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
PODS_PODFILE_DIR_PATH = /Users/filiph/dev/hn_app/ios/.
PODS_ROOT = /Users/filiph/dev/hn_app/ios/Pods
PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR = YES
PRECOMP_DESTINATION_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/PrefixHeaders
PRESERVE_DEAD_CODE_INITS_AND_TERMS = NO
PREVIEW_DART_2 = true
PRIVATE_HEADERS_FOLDER_PATH = Runner.app/PrivateHeaders
PRODUCT_BUNDLE_IDENTIFIER = hn_app.flutter.io.hnApp
PRODUCT_MODULE_NAME = Runner
PRODUCT_NAME = Runner
PRODUCT_SETTINGS_PATH = /Users/filiph/dev/hn_app/ios/Runner/Info.plist
PRODUCT_TYPE = com.apple.product-type.application
PROFILING_CODE = NO
PROJECT = Runner
PROJECT_DERIVED_FILE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/DerivedSources
PROJECT_DIR = /Users/filiph/dev/hn_app/ios
PROJECT_FILE_PATH = /Users/filiph/dev/hn_app/ios/Runner.xcodeproj
PROJECT_NAME = Runner
PROJECT_TEMP_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build
PROJECT_TEMP_ROOT = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex
PUBLIC_HEADERS_FOLDER_PATH = Runner.app/Headers
RECURSIVE_SEARCH_PATHS_FOLLOW_SYMLINKS = YES
REMOVE_CVS_FROM_RESOURCES = YES
REMOVE_GIT_FROM_RESOURCES = YES
REMOVE_HEADERS_FROM_EMBEDDED_BUNDLES = YES
REMOVE_HG_FROM_RESOURCES = YES
REMOVE_SVN_FROM_RESOURCES = YES
REZ_COLLECTOR_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources
REZ_OBJECTS_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build/ResourceManagerResources/Objects
SCAN_ALL_SOURCE_FILES_FOR_INCLUDES = NO
SCRIPTS_FOLDER_PATH = Runner.app/Scripts
SCRIPT_OUTPUT_STREAM_FILE = /var/folders/p_/8567k9tn6cg7_f1bhzhhvh8c0028jd/T/flutter_build_log_pipeaUXXOb/pipe_to_stdout
SDKROOT = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
SDK_DIR_iphonesimulator11_4 = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator11.4.sdk
SDK_NAME = iphonesimulator11.4
SDK_NAMES = iphonesimulator11.4
SDK_PRODUCT_BUILD_VERSION = 15F79
SDK_VERSION = 11.4
SDK_VERSION_ACTUAL = 110400
SDK_VERSION_MAJOR = 110000
SDK_VERSION_MINOR = 400
SED = /usr/bin/sed
SEPARATE_STRIP = NO
SEPARATE_SYMBOL_EDIT = NO
SET_DIR_MODE_OWNER_GROUP = YES
SET_FILE_MODE_OWNER_GROUP = NO
SHALLOW_BUNDLE = YES
SHARED_DERIVED_FILE_DIR = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator/DerivedSources
SHARED_FRAMEWORKS_FOLDER_PATH = Runner.app/SharedFrameworks
SHARED_PRECOMPS_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/PrecompiledHeaders
SHARED_SUPPORT_FOLDER_PATH = Runner.app/SharedSupport
SKIP_INSTALL = NO
SOURCE_ROOT = /Users/filiph/dev/hn_app/ios
SRCROOT = /Users/filiph/dev/hn_app/ios
STRINGS_FILE_OUTPUT_ENCODING = binary
STRIP_BITCODE_FROM_COPIED_FILES = NO
STRIP_INSTALLED_PRODUCT = YES
STRIP_STYLE = all
STRIP_SWIFT_SYMBOLS = YES
SUPPORTED_DEVICE_FAMILIES = 1,2
SUPPORTED_PLATFORMS = iphonesimulator iphoneos
SUPPORTS_TEXT_BASED_API = NO
SWIFT_OBJC_BRIDGING_HEADER = Runner/Runner-Bridging-Header.h
SWIFT_OPTIMIZATION_LEVEL = -Onone
SWIFT_PLATFORM_TARGET_PREFIX = ios
SWIFT_SWIFT3_OBJC_INFERENCE = On
SWIFT_VERSION = 4.0
SYMROOT = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Products
SYSTEM_ADMIN_APPS_DIR = /Applications/Utilities
SYSTEM_APPS_DIR = /Applications
SYSTEM_CORE_SERVICES_DIR = /System/Library/CoreServices
SYSTEM_DEMOS_DIR = /Applications/Extras
SYSTEM_DEVELOPER_APPS_DIR = /Applications/Xcode.app/Contents/Developer/Applications
SYSTEM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin
SYSTEM_DEVELOPER_DEMOS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built Examples
SYSTEM_DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer
SYSTEM_DEVELOPER_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library
SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Graphics Tools
SYSTEM_DEVELOPER_JAVA_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Java Tools
SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Performance Tools
SYSTEM_DEVELOPER_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes
SYSTEM_DEVELOPER_TOOLS = /Applications/Xcode.app/Contents/Developer/Tools
SYSTEM_DEVELOPER_TOOLS_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools
SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools
SYSTEM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr
SYSTEM_DEVELOPER_UTILITIES_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities
SYSTEM_DOCUMENTATION_DIR = /Library/Documentation
SYSTEM_KEXT_INSTALL_PATH = /System/Library/Extensions
SYSTEM_LIBRARY_DIR = /System/Library
TAPI_VERIFY_MODE = ErrorsOnly
TARGETED_DEVICE_FAMILY = 1,2
TARGETNAME = Runner
TARGET_BUILD_DIR = /Users/filiph/dev/hn_app/build/ios/Debug-iphonesimulator
TARGET_NAME = Runner
TARGET_TEMP_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
TEMP_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
TEMP_FILES_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
TEMP_FILE_DIR = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex/Runner.build/Debug-iphonesimulator/Runner.build
TEMP_ROOT = /Users/filiph/Library/Developer/Xcode/DerivedData/Runner-dhyyuvkuzqyczeahzyyuxbdvdjku/Build/Intermediates.noindex
TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain
TREAT_MISSING_BASELINES_AS_TEST_FAILURES = NO
UID = 74285
UNLOCALIZED_RESOURCES_FOLDER_PATH = Runner.app
UNSTRIPPED_PRODUCT = NO
USER = filiph
USER_APPS_DIR = /Users/filiph/Applications
USER_LIBRARY_DIR = /Users/filiph/Library
USE_DYNAMIC_NO_PIC = YES
USE_HEADERMAP = YES
USE_HEADER_SYMLINKS = NO
VALIDATE_PRODUCT = NO
VALID_ARCHS = i386 x86_64
VERBOSE_PBXCP = NO
VERBOSE_SCRIPT_LOGGING = YES
VERSIONPLIST_PATH = Runner.app/version.plist
VERSION_INFO_BUILDER = filiph
VERSION_INFO_FILE = Runner_vers.c
VERSION_INFO_STRING = "@(#)PROGRAM:Runner PROJECT:Runner-"
WRAPPER_EXTENSION = app
WRAPPER_NAME = Runner.app
WRAPPER_SUFFIX = .app
WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES = NO
XCODE_APP_SUPPORT_DIR = /Applications/Xcode.app/Contents/Developer/Library/Xcode
XCODE_PRODUCT_BUILD_VERSION = 9F1027a
XCODE_VERSION_ACTUAL = 0940
XCODE_VERSION_MAJOR = 0900
XCODE_VERSION_MINOR = 0940
XPCSERVICES_FOLDER_PATH = Runner.app/XPCServices
YACC = yacc
arch = x86_64
variant = normal
[ +230 ms] /usr/bin/xcrun simctl install 8C0199F9-DE6D-4A50-86F3-875D58FF15E6 /Users/filiph/dev/hn_app/build/ios/iphonesimulator/Runner.app
[+1071 ms] /usr/bin/xcrun simctl launch 8C0199F9-DE6D-4A50-86F3-875D58FF15E6 hn_app.flutter.io.hnApp --enable-dart-profiling --enable-checked-mode --observatory-port=8100
[ +171 ms] hn_app.flutter.io.hnApp: 73477
[ ] Waiting for observatory port to be available...
[ +634 ms] [DEVICE LOG] 2018-06-04 16:48:50.537671-0700 localhost Runner[73477]: (Runner) Created Activity ID: 0xcb581, Description: Loading Preferences From System CFPrefsD For Search List
[ +2 ms] [DEVICE LOG] 2018-06-04 16:48:50.537670-0700 localhost Runner[73477]: (Runner) Created Activity ID: 0xcb580, Description: Loading Preferences From System CFPrefsD For Search List
[ +14 ms] [DEVICE LOG] 2018-06-04 16:48:50.555726-0700 localhost Runner[73477]: (Runner) Created Activity ID: 0xcb582, Description: Loading Preferences From System CFPrefsD For Search List
[ +4 ms] [DEVICE LOG] 2018-06-04 16:48:50.560555-0700 localhost Runner[73477]: (libAccessibility.dylib) [com.apple.Accessibility:AccessibilitySupport] Retrieving resting unlock: 0
[ +343 ms] [DEVICE LOG] 2018-06-04 16:48:50.903723-0700 localhost Runner[73477]: (UIKit) You've implemented -[<UIApplicationDelegate> application:performFetchWithCompletionHandler:], but you still need to add "fetch" to the list of your supported UIBackgroundModes in your Info.plist.
[ ] [DEVICE LOG] 2018-06-04 16:48:50.903879-0700 localhost Runner[73477]: (UIKit) You've implemented -[<UIApplicationDelegate> application:didReceiveRemoteNotification:fetchCompletionHandler:], but you still need to add "remote-notification" to the list of your supported UIBackgroundModes in your Info.plist.
[ ] [DEVICE LOG] 2018-06-04 16:48:50.904842-0700 localhost Runner[73477]: (Flutter) flutter: Observatory listening on http://127.0.0.1:8100/
[ +3 ms] Observatory URL on device: http://127.0.0.1:8100/
[ +3 ms] Connecting to service protocol: http://127.0.0.1:8100/
[ +141 ms] Successfully connected to service protocol: http://127.0.0.1:8100/
[ +2 ms] getVM: {}
[ +12 ms] getIsolate: {isolateId: isolates/68813175}
[ +2 ms] _flutter.listViews: {}
[ +336 ms] DevFS: Creating new filesystem on the device (null)
[ ] _createDevFS: {fsName: hn_app}
[ +12 ms] DevFS: Created new filesystem on the device (file:///Users/filiph/Library/Developer/CoreSimulator/Devices/8C0199F9-DE6D-4A50-86F3-875D58FF15E6/data/Containers/Data/Application/818BAB73-1587-4D9E-8A42-7BAA0927500E/tmp/hn_app9eBWc4/hn_app/)
[ +1 ms] Updating assets
[ +133 ms] Syncing files to device iPhone X...
[ +2 ms] DevFS: Starting sync from LocalDirectory: '/Users/filiph/dev/hn_app'
[ ] Scanning project files
[ +4 ms] Scanning package files
[ +91 ms] Scanning asset files
[ ] Scanning for deleted files
[ +12 ms] Compiling dart to kernel with 416 updated files
[ +2 ms] /Users/filiph/dev/flutter/bin/cache/dart-sdk/bin/dart /Users/filiph/dev/flutter/bin/cache/artifacts/engine/darwin-x64/frontend_server.dart.snapshot --sdk-root /Users/filiph/dev/flutter/bin/cache/artifacts/engine/common/flutter_patched_sdk/ --incremental --strong --target=flutter --output-dill build/app.dill --packages /Users/filiph/dev/hn_app/.packages --filesystem-scheme org-dartlang-root
[+1165 ms] Updating files
[ +477 ms] DevFS: Sync finished
[ ] Synced 0.8MB.
[ +3 ms] _flutter.listViews: {}
[ +1 ms] Connected to _flutterView/0x7fd2c8603668.
[ ] 🔥 To hot reload your app on the fly, press "r". To restart the app entirely, press "R".
[ ] An Observatory debugger and profiler on iPhone X is available at: http://127.0.0.1:8100/
[ ] For a more detailed help message, press "h". To quit, press "q".
</code></pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ flutter analyze
Analyzing hn_app...
No issues found! (ran in 1.1s)"><pre class="notranslate"><code class="notranslate">$ flutter analyze
Analyzing hn_app...
No issues found! (ran in 1.1s)
</code></pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="$ flutter doctor -v
[✓] Flutter (Channel beta, v0.4.4, on Mac OS X 10.13.4 17E202, locale en-US)
• Flutter version 0.4.4 at /Users/filiph/dev/flutter
• Framework revision f9bb4289e9 (3 weeks ago), 2018-05-11 21:44:54 -0700
• Engine revision 06afdfe54e
• Dart version 2.0.0-dev.54.0.flutter-46ab040e58
[✓] Android toolchain - develop for Android devices (Android SDK 27.0.3)
• Android SDK at /Users/filiph/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.4)
• Xcode at /Applications/Xcode.app/Contents/Developer
• Xcode 9.4, Build version 9F1027a
• ios-deploy 1.9.2
• CocoaPods version 1.5.3
[✓] Android Studio (version 3.1)
• Android Studio at /Applications/Android Studio.app/Contents
• Flutter plugin version 25.0.1
• Dart plugin version 173.4700
• Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1024-b01)
[!] IntelliJ IDEA Community Edition (version 2018.1)
• IntelliJ at /Applications/IntelliJ IDEA CE.app
✗ Flutter plugin not installed; this adds Flutter specific functionality.
✗ Dart plugin not installed; this adds Dart specific functionality.
• For information about installing plugins, see
https://flutter.io/intellij-setup/#installing-the-plugins
[✓] VS Code (version 1.22.2)
• VS Code at /Applications/Visual Studio Code.app/Contents
• Dart Code extension version 2.9.2
[✓] Connected devices (1 available)
• iPhone X • 8C0199F9-DE6D-4A50-86F3-875D58FF15E6 • ios • iOS 11.4 (simulator)
! Doctor found issues in 1 category."><pre class="notranslate"><code class="notranslate">$ flutter doctor -v
[✓] Flutter (Channel beta, v0.4.4, on Mac OS X 10.13.4 17E202, locale en-US)
• Flutter version 0.4.4 at /Users/filiph/dev/flutter
• Framework revision f9bb4289e9 (3 weeks ago), 2018-05-11 21:44:54 -0700
• Engine revision 06afdfe54e
• Dart version 2.0.0-dev.54.0.flutter-46ab040e58
[✓] Android toolchain - develop for Android devices (Android SDK 27.0.3)
• Android SDK at /Users/filiph/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.4)
• Xcode at /Applications/Xcode.app/Contents/Developer
• Xcode 9.4, Build version 9F1027a
• ios-deploy 1.9.2
• CocoaPods version 1.5.3
[✓] Android Studio (version 3.1)
• Android Studio at /Applications/Android Studio.app/Contents
• Flutter plugin version 25.0.1
• Dart plugin version 173.4700
• Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1024-b01)
[!] IntelliJ IDEA Community Edition (version 2018.1)
• IntelliJ at /Applications/IntelliJ IDEA CE.app
✗ Flutter plugin not installed; this adds Flutter specific functionality.
✗ Dart plugin not installed; this adds Dart specific functionality.
• For information about installing plugins, see
https://flutter.io/intellij-setup/#installing-the-plugins
[✓] VS Code (version 1.22.2)
• VS Code at /Applications/Visual Studio Code.app/Contents
• Dart Code extension version 2.9.2
[✓] Connected devices (1 available)
• iPhone X • 8C0199F9-DE6D-4A50-86F3-875D58FF15E6 • ios • iOS 11.4 (simulator)
! Doctor found issues in 1 category.
</code></pre></div> | <h2 dir="auto">Steps to Reproduce</h2>
<p dir="auto">Swipe to third page in this app:</p>
<div class="highlight highlight-source-dart notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import 'package:flutter/material.dart';
void main() => runApp(MyApp());
class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
return MaterialApp(
home: MyHomePage(),
);
}
}
class MyHomePage extends StatefulWidget {
@override
State<StatefulWidget> createState() => MyHomePageState();
}
class MyHomePageState extends State<MyHomePage> {
final pageController = PageController();
@override
void initState() {
super.initState();
pageController.addListener(() => setState(() {}));
}
@override
Widget build(BuildContext context) => Scaffold(
body: PageView.builder(
controller: pageController,
itemBuilder: (_, index) => Container(
color: Colors.red,
child: Center(child: Text("${MediaQuery.of(context).size.width} -- $index -- ${pageController.page}")),
),
itemCount: 3,
onPageChanged: (page) => print("onPageChanged: $page"),
),
);
}"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s">'package:flutter/material.dart'</span>;
<span class="pl-k">void</span> <span class="pl-en">main</span>() <span class="pl-k">=></span> <span class="pl-en">runApp</span>(<span class="pl-c1">MyApp</span>());
<span class="pl-k">class</span> <span class="pl-c1">MyApp</span> <span class="pl-k">extends</span> <span class="pl-c1">StatelessWidget</span> {
<span class="pl-k">@override</span>
<span class="pl-c1">Widget</span> <span class="pl-en">build</span>(<span class="pl-c1">BuildContext</span> context) {
<span class="pl-k">return</span> <span class="pl-c1">MaterialApp</span>(
home<span class="pl-k">:</span> <span class="pl-c1">MyHomePage</span>(),
);
}
}
<span class="pl-k">class</span> <span class="pl-c1">MyHomePage</span> <span class="pl-k">extends</span> <span class="pl-c1">StatefulWidget</span> {
<span class="pl-k">@override</span>
<span class="pl-c1">State</span><<span class="pl-c1">StatefulWidget</span>> <span class="pl-en">createState</span>() <span class="pl-k">=></span> <span class="pl-c1">MyHomePageState</span>();
}
<span class="pl-k">class</span> <span class="pl-c1">MyHomePageState</span> <span class="pl-k">extends</span> <span class="pl-c1">State</span><<span class="pl-c1">MyHomePage</span>> {
<span class="pl-k">final</span> pageController <span class="pl-k">=</span> <span class="pl-c1">PageController</span>();
<span class="pl-k">@override</span>
<span class="pl-k">void</span> <span class="pl-en">initState</span>() {
<span class="pl-c1">super</span>.<span class="pl-en">initState</span>();
pageController.<span class="pl-en">addListener</span>(() <span class="pl-k">=></span> <span class="pl-en">setState</span>(() {}));
}
<span class="pl-k">@override</span>
<span class="pl-c1">Widget</span> <span class="pl-en">build</span>(<span class="pl-c1">BuildContext</span> context) <span class="pl-k">=></span> <span class="pl-c1">Scaffold</span>(
body<span class="pl-k">:</span> <span class="pl-c1">PageView</span>.<span class="pl-en">builder</span>(
controller<span class="pl-k">:</span> pageController,
itemBuilder<span class="pl-k">:</span> (_, index) <span class="pl-k">=></span> <span class="pl-c1">Container</span>(
color<span class="pl-k">:</span> <span class="pl-c1">Colors</span>.red,
child<span class="pl-k">:</span> <span class="pl-c1">Center</span>(child<span class="pl-k">:</span> <span class="pl-c1">Text</span>(<span class="pl-s">"<span class="pl-s">${<span class="pl-c1">MediaQuery</span>.<span class="pl-en">of</span>(<span class="pl-v">context</span>).<span class="pl-v">size</span>.<span class="pl-v">width</span>}</span> -- $<span class="pl-v">index</span> -- <span class="pl-s">${<span class="pl-v">pageController</span>.<span class="pl-v">page</span>}</span>"</span>)),
),
itemCount<span class="pl-k">:</span> <span class="pl-c1">3</span>,
onPageChanged<span class="pl-k">:</span> (page) <span class="pl-k">=></span> <span class="pl-en">print</span>(<span class="pl-s">"onPageChanged: $<span class="pl-v">page</span>"</span>),
),
);
}</pre></div>
<h2 dir="auto">Output</h2>
<p dir="auto">The page is <code class="notranslate">1.9999999999999998</code> while <code class="notranslate">2.0</code> would be expected. This is especially annoying when using the page for animations.</p>
<p dir="auto">Note that the screen width is a strange/non-rational number, which might be the real issue.</p>
<p dir="auto">On Android 8, Samsung S7, it behaves as expected.</p>
<p dir="auto">Screenshot:</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/20230599/49809282-c776b980-fd5e-11e8-9671-dea2725d75ec.png"><img src="https://user-images.githubusercontent.com/20230599/49809282-c776b980-fd5e-11e8-9671-dea2725d75ec.png" alt="screenshot_20181211-155824" style="max-width: 100%;"></a></p>
<h2 dir="auto">Logs</h2>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Doctor summary (to see all details, run flutter doctor -v):
[✓] Flutter (Channel unknown, v1.0.0, on Mac OS X 10.14.1 18B75, locale en-NL)
[✓] Android toolchain - develop for Android devices (Android SDK 28.0.3)
[✓] iOS toolchain - develop for iOS devices (Xcode 10.1)
[✓] Android Studio (version 3.2)
[✓] IntelliJ IDEA Community Edition (version 2018.3.1)
[✓] VS Code (version 1.28.1)
[✓] Connected device (2 available)
• No issues found!"><pre class="notranslate"><code class="notranslate">Doctor summary (to see all details, run flutter doctor -v):
[✓] Flutter (Channel unknown, v1.0.0, on Mac OS X 10.14.1 18B75, locale en-NL)
[✓] Android toolchain - develop for Android devices (Android SDK 28.0.3)
[✓] iOS toolchain - develop for iOS devices (Xcode 10.1)
[✓] Android Studio (version 3.2)
[✓] IntelliJ IDEA Community Edition (version 2018.3.1)
[✓] VS Code (version 1.28.1)
[✓] Connected device (2 available)
• No issues found!
</code></pre></div> | 0 |
<p dir="auto">I am trying to run my tests on github actions . My config file is within the tests/playwright folder in the repo.When I run the workflow , the action uses just one worker as opposed to 90% specified in the playwright.config.ts file. If I change the worker index to a number say 10, it uses the given number of workers to execute the tests.</p>
<h3 dir="auto">System info</h3>
<ul dir="auto">
<li>Playwright Version: [v1.35]</li>
<li>Operating System: [Ubuntu 20]</li>
<li>Browser: [All, Chromium, Firefox, WebKit]</li>
<li>Other info:</li>
</ul>
<h3 dir="auto">Source code</h3>
<div class="highlight highlight-source-yaml notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="workflow:
name: "Tests Example"
on:
schedule:
- cron: '0 6 * * 1'
workflow_dispatch:
jobs:
Playwright:
runs-on: ubuntu-latest
timeout-minutes: 60
steps:
- name: Checkout repo
uses: actions/checkout@v3
- name: Setup node
uses: actions/setup-node@v3
- name: Install dependencies
working-directory: tests/playwright
run:
npm ci
- name: Install Other dependencies
run: npx playwright install-deps
- name: Install Browsers
working-directory: tests/playwright
run: npx playwright install
- name: Run Playwright tests
working-directory: tests/playwright
run: npx playwright tests
- name: Upload test results
if: always()
uses: actions/upload-artifact@v3
with:
name: playwright-results
path: tests/playwright/playwright-report
"><pre class="notranslate"><span class="pl-ent">workflow</span>:
<span class="pl-ent">name</span>: <span class="pl-s"><span class="pl-pds">"</span>Tests Example<span class="pl-pds">"</span></span>
<span class="pl-ent">on</span>:
<span class="pl-ent">schedule</span>:
- <span class="pl-ent">cron</span>: <span class="pl-s"><span class="pl-pds">'</span>0 6 * * 1<span class="pl-pds">'</span></span>
<span class="pl-ent">workflow_dispatch</span>:
<span class="pl-ent">jobs</span>:
<span class="pl-ent">Playwright</span>:
<span class="pl-ent">runs-on</span>: <span class="pl-s">ubuntu-latest</span>
<span class="pl-ent">timeout-minutes</span>: <span class="pl-c1">60</span>
<span class="pl-ent">steps</span>:
- <span class="pl-ent">name</span>: <span class="pl-s">Checkout repo</span>
<span class="pl-ent">uses</span>: <span class="pl-s">actions/checkout@v3</span>
- <span class="pl-ent">name</span>: <span class="pl-s">Setup node</span>
<span class="pl-ent">uses</span>: <span class="pl-s">actions/setup-node@v3</span>
- <span class="pl-ent">name</span>: <span class="pl-s">Install dependencies</span>
<span class="pl-ent">working-directory</span>: <span class="pl-s">tests/playwright</span>
<span class="pl-ent">run</span>:
<span class="pl-s">npm ci</span>
- <span class="pl-ent">name</span>: <span class="pl-s">Install Other dependencies</span>
<span class="pl-ent">run</span>: <span class="pl-s">npx playwright install-deps </span>
- <span class="pl-ent">name</span>: <span class="pl-s">Install Browsers</span>
<span class="pl-ent">working-directory</span>: <span class="pl-s">tests/playwright</span>
<span class="pl-ent">run</span>: <span class="pl-s">npx playwright install </span>
- <span class="pl-ent">name</span>: <span class="pl-s">Run Playwright tests</span>
<span class="pl-ent">working-directory</span>: <span class="pl-s">tests/playwright</span>
<span class="pl-ent">run</span>: <span class="pl-s">npx playwright tests</span>
- <span class="pl-ent">name</span>: <span class="pl-s">Upload test results</span>
<span class="pl-ent">if</span>: <span class="pl-s">always()</span>
<span class="pl-ent">uses</span>: <span class="pl-s">actions/upload-artifact@v3</span>
<span class="pl-ent">with</span>:
<span class="pl-ent">name</span>: <span class="pl-s">playwright-results</span>
<span class="pl-ent">path</span>: <span class="pl-s">tests/playwright/playwright-report</span>
</pre></div>
<p dir="auto"><strong>Config file</strong></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";
const config: PlaywrightTestConfig = {
fullyParallel: true,
projects: [
{
name: "Chrome",
use: {
headless: true,
browserName: "chromium",
ignoreHTTPSErrors: true,
screenshot: {
mode: "only-on-failure",
fullPage: true,
},
video: "retain-on-failure",
},
retries: 1,
},
{
name: "Firefox",
use: {
headless: true,
browserName: "firefox",
ignoreHTTPSErrors: true,
screenshot: {
mode: "only-on-failure",
fullPage: true,
},
video: "retain-on-failure",
},
retries: 1,
},
{
name: "webkit",
use: {
headless: true,
browserName: "webkit",
ignoreHTTPSErrors: true,
screenshot: {
mode: "only-on-failure",
fullPage: true,
},
video: "retain-on-failure",
},
retries: 1,
},
{
name: "edge",
use: {
headless: true,
channel: "msedge",
ignoreHTTPSErrors: true,
screenshot: {
mode: "only-on-failure",
fullPage: true,
},
video: "retain-on-failure",
},
retries: 1,
},
{
name: "iPhone_Safari",
use: {
headless: true,
channel: "webkit",
...devices["iPhone 13 Pro"],
ignoreHTTPSErrors: true,
screenshot: {
mode: "only-on-failure",
fullPage: true,
},
video: "retain-on-failure",
},
retries: 1,
},
{
name: "Android",
use: {
headless: true,
ignoreHTTPSErrors: true,
screenshot: "only-on-failure",
video: "retain-on-failure",
channel: "chromium",
...devices["Pixel 2"],
},
retries: 1,
},
],
use: {
headless: true,
screenshot: {
mode: "only-on-failure",
fullPage: true,
},
video: "retain-on-failure",
},
expect: {
timeout: 10000,
},
timeout: 250000,
globalSetup: "utils/globalSetup.ts",
globalTeardown: "global-teardown.ts",
reporter: process.env.CI ?
[["list"], ["html"]] : [["list"], ["html"],
[
"allure-playwright",
{
detail: true,
outputFolder: "allure-results",
suiteTitle: false,
},
],
],
workers: process.env.CI ? "90%" : "70%",
};
export default config;"><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">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-c1">fullyParallel</span>: <span class="pl-c1">true</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">"Chrome"</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">browserName</span>: <span class="pl-s">"chromium"</span><span class="pl-kos">,</span>
<span class="pl-c1">ignoreHTTPSErrors</span>: <span class="pl-c1">true</span><span class="pl-kos">,</span>
<span class="pl-c1">screenshot</span>: <span class="pl-kos">{</span>
<span class="pl-c1">mode</span>: <span class="pl-s">"only-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-c1">fullPage</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-c1">video</span>: <span class="pl-s">"retain-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-c1">retries</span>: <span class="pl-c1">1</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-kos">{</span>
<span class="pl-c1">name</span>: <span class="pl-s">"Firefox"</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">browserName</span>: <span class="pl-s">"firefox"</span><span class="pl-kos">,</span>
<span class="pl-c1">ignoreHTTPSErrors</span>: <span class="pl-c1">true</span><span class="pl-kos">,</span>
<span class="pl-c1">screenshot</span>: <span class="pl-kos">{</span>
<span class="pl-c1">mode</span>: <span class="pl-s">"only-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-c1">fullPage</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-c1">video</span>: <span class="pl-s">"retain-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-c1">retries</span>: <span class="pl-c1">1</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-kos">{</span>
<span class="pl-c1">name</span>: <span class="pl-s">"webkit"</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">browserName</span>: <span class="pl-s">"webkit"</span><span class="pl-kos">,</span>
<span class="pl-c1">ignoreHTTPSErrors</span>: <span class="pl-c1">true</span><span class="pl-kos">,</span>
<span class="pl-c1">screenshot</span>: <span class="pl-kos">{</span>
<span class="pl-c1">mode</span>: <span class="pl-s">"only-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-c1">fullPage</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-c1">video</span>: <span class="pl-s">"retain-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-c1">retries</span>: <span class="pl-c1">1</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-kos">{</span>
<span class="pl-c1">name</span>: <span class="pl-s">"edge"</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">channel</span>: <span class="pl-s">"msedge"</span><span class="pl-kos">,</span>
<span class="pl-c1">ignoreHTTPSErrors</span>: <span class="pl-c1">true</span><span class="pl-kos">,</span>
<span class="pl-c1">screenshot</span>: <span class="pl-kos">{</span>
<span class="pl-c1">mode</span>: <span class="pl-s">"only-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-c1">fullPage</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-c1">video</span>: <span class="pl-s">"retain-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-c1">retries</span>: <span class="pl-c1">1</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-kos">{</span>
<span class="pl-c1">name</span>: <span class="pl-s">"iPhone_Safari"</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">channel</span>: <span class="pl-s">"webkit"</span><span class="pl-kos">,</span>
...<span class="pl-s1">devices</span><span class="pl-kos">[</span><span class="pl-s">"iPhone 13 Pro"</span><span class="pl-kos">]</span><span class="pl-kos">,</span>
<span class="pl-c1">ignoreHTTPSErrors</span>: <span class="pl-c1">true</span><span class="pl-kos">,</span>
<span class="pl-c1">screenshot</span>: <span class="pl-kos">{</span>
<span class="pl-c1">mode</span>: <span class="pl-s">"only-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-c1">fullPage</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-c1">video</span>: <span class="pl-s">"retain-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-c1">retries</span>: <span class="pl-c1">1</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-kos">{</span>
<span class="pl-c1">name</span>: <span class="pl-s">"Android"</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">ignoreHTTPSErrors</span>: <span class="pl-c1">true</span><span class="pl-kos">,</span>
<span class="pl-c1">screenshot</span>: <span class="pl-s">"only-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-c1">video</span>: <span class="pl-s">"retain-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-c1">channel</span>: <span class="pl-s">"chromium"</span><span class="pl-kos">,</span>
...<span class="pl-s1">devices</span><span class="pl-kos">[</span><span class="pl-s">"Pixel 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-c1">retries</span>: <span class="pl-c1">1</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-kos">]</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">screenshot</span>: <span class="pl-kos">{</span>
<span class="pl-c1">mode</span>: <span class="pl-s">"only-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-c1">fullPage</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-c1">video</span>: <span class="pl-s">"retain-on-failure"</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-c1">expect</span>: <span class="pl-kos">{</span>
<span class="pl-c1">timeout</span>: <span class="pl-c1">10000</span><span class="pl-kos">,</span>
<span class="pl-kos">}</span><span class="pl-kos">,</span>
<span class="pl-c1">timeout</span>: <span class="pl-c1">250000</span><span class="pl-kos">,</span>
<span class="pl-c1">globalSetup</span>: <span class="pl-s">"utils/globalSetup.ts"</span><span class="pl-kos">,</span>
<span class="pl-c1">globalTeardown</span>: <span class="pl-s">"global-teardown.ts"</span><span class="pl-kos">,</span>
<span class="pl-c1">reporter</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-kos">[</span><span class="pl-s">"list"</span><span class="pl-kos">]</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-kos">[</span><span class="pl-kos">[</span><span class="pl-s">"list"</span><span class="pl-kos">]</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-kos">[</span>
<span class="pl-s">"allure-playwright"</span><span class="pl-kos">,</span>
<span class="pl-kos">{</span>
<span class="pl-c1">detail</span>: <span class="pl-c1">true</span><span class="pl-kos">,</span>
<span class="pl-c1">outputFolder</span>: <span class="pl-s">"allure-results"</span><span class="pl-kos">,</span>
<span class="pl-c1">suiteTitle</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-kos">,</span>
<span class="pl-kos">]</span><span class="pl-kos">,</span>
<span class="pl-c1">workers</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-s">"90%"</span> : <span class="pl-s">"70%"</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>Steps</strong></p>
<ul dir="auto">
<li>[Run the workflow]</li>
</ul>
<p dir="auto"><strong>Expected</strong><br>
The github workflow should be able to determine workers based on specified config file</p>
<p dir="auto"><strong>Actual</strong></p>
<p dir="auto">The tests run but just with one worker instead of 90% of logical CPU cores. The workflow works as expected if the worker index is a definite number e.g. 10/6</p> | <p dir="auto"><strong>Context</strong>: In long E2E test flows there are certain steps that are duplicated like moving in-between "Product" vs "shipping" vs "Payment method" tabs in an online order workflow.</p>
<p dir="auto"><strong>Problem</strong>: In Playwright-Test, duplicate test titles are not allowed as "error" (not as a warning) which is painful for someone who is migrating test scripts from other testing frameworks like "Jasmine" (as in my scenario) where duplicate test titles were allowed.</p>
<p dir="auto"><strong>Desired Solution</strong> : Is there a solution or setting, where this error can be avoided on the configuration level (preferably as a warning) without users to change change 100s of scripts manually porting from other test frameworks? Thanks!</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/104996068/166945789-ef35de00-a6e3-4b57-b0f0-68df20a5c923.png"><img src="https://user-images.githubusercontent.com/104996068/166945789-ef35de00-a6e3-4b57-b0f0-68df20a5c923.png" alt="image" style="max-width: 100%;"></a></p> | 0 |
<div class="highlight highlight-source-julia notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="julia> 128738872312*invmod(128738872312,9223372036854775783)
9223369465230597584
julia> ans < 9223372036854775783
true"><pre class="notranslate">julia<span class="pl-k">></span> <span class="pl-c1">128738872312</span><span class="pl-k">*</span><span class="pl-c1">invmod</span>(<span class="pl-c1">128738872312</span>,<span class="pl-c1">9223372036854775783</span>)
<span class="pl-c1">9223369465230597584</span>
julia<span class="pl-k">></span> ans <span class="pl-k"><</span> <span class="pl-c1">9223372036854775783</span>
<span class="pl-c1">true</span></pre></div> | <p dir="auto">To deal with integer arithmetic overflow we do the following:</p>
<ol dir="auto">
<li>add checked integer arithmetic intrinsics named <code class="notranslate">checked_add</code>, <code class="notranslate">checked_mul</code>, etc.</li>
<li>have a compiler switch that uses these everywhere.</li>
<li>write a <code class="notranslate">@check_overflow</code> macro that transforms an expression to turn <code class="notranslate">*</code> into <code class="notranslate">checked_mul</code> and <code class="notranslate">+</code> into <code class="notranslate">checked_add</code>, etc., but only in the expression — called functions are on their own.</li>
</ol> | 1 |
<p dir="auto">There is an issue with <code class="notranslate">img { max-width: 100%; }</code> defined in reset.less (around line 77) and Google Maps, especially if you are using <code class="notranslate">InfoWindow</code>. Some of the graphic elements are kind of "distorted".</p>
<p dir="auto">To fix that issue, add something like the following line to your css definitions:<br>
<code class="notranslate">#map img { max-width:none; }</code></p> | <p dir="auto">First of all thanks for your fantastic work. It does SAVE me a lot of time.</p>
<p dir="auto">When I put Google Maps into Bootstrap layout, img tag in Google Maps breaks because Bootstrap set <strong>img max-width to 100%</strong>. When I comment max-width, it's working find but I'm not sure whether it'll break something else in Bootstrap or not.</p>
<p dir="auto">Bootstrap and Google Maps<br>
<a href="http://jsfiddle.net/jhnRD/1/" rel="nofollow">http://jsfiddle.net/jhnRD/1/</a></p>
<p dir="auto">Google Maps without Bootstrap<br>
<a href="http://jsfiddle.net/aVx8L/" rel="nofollow">http://jsfiddle.net/aVx8L/</a></p>
<p dir="auto">Cheers,</p> | 1 |
<p dir="auto"><code class="notranslate">sklearn.feature_extraction.text.HashingVectorizer</code> uses <code class="notranslate">sklearn/feature_extraction/_hashing.pyx</code> which has a signed 32bit variable as a counter which overflows on my dataset and causes the following error:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Traceback (most recent call last): [0/1999]
File "/home/erg/foo/foo.py", line 109, in fit_transform
return self.foo.fit_transform(X)
File "/usr/lib/python3.6/site-packages/sklearn/pipeline.py", line 290, in fit_transform
Xt, fit_params = self._fit(X, y, **fit_params)
File "/usr/lib/python3.6/site-packages/sklearn/pipeline.py", line 222, in _fit
**fit_params_steps[name])
File "/usr/lib/python3.6/site-packages/sklearn/externals/joblib/memory.py", line 362, in __call__
return self.func(*args, **kwargs)
File "/usr/lib/python3.6/site-packages/sklearn/pipeline.py", line 589, in _fit_transform_one
res = transformer.fit_transform(X, y, **fit_params)
File "/usr/lib/python3.6/site-packages/sklearn/base.py", line 518, in fit_transform
return self.fit(X, **fit_params).transform(X)
File "/usr/lib/python3.6/site-packages/sklearn/feature_extraction/text.py", line 519, in transform
X = self._get_hasher().transform(analyzer(doc) for doc in X)
File "/usr/lib/python3.6/site-packages/sklearn/feature_extraction/hashing.py", line 167, in transform
shape=(n_samples, self.n_features))
File "/usr/lib/python3.6/site-packages/scipy/sparse/compressed.py", line 98, in __init__
self.check_format(full_check=False)
File "/usr/lib/python3.6/site-packages/scipy/sparse/compressed.py", line 167, in check_format
raise ValueError("indices and data should have the same size")
ValueError: indices and data should have the same size"><pre class="notranslate"><code class="notranslate">Traceback (most recent call last): [0/1999]
File "/home/erg/foo/foo.py", line 109, in fit_transform
return self.foo.fit_transform(X)
File "/usr/lib/python3.6/site-packages/sklearn/pipeline.py", line 290, in fit_transform
Xt, fit_params = self._fit(X, y, **fit_params)
File "/usr/lib/python3.6/site-packages/sklearn/pipeline.py", line 222, in _fit
**fit_params_steps[name])
File "/usr/lib/python3.6/site-packages/sklearn/externals/joblib/memory.py", line 362, in __call__
return self.func(*args, **kwargs)
File "/usr/lib/python3.6/site-packages/sklearn/pipeline.py", line 589, in _fit_transform_one
res = transformer.fit_transform(X, y, **fit_params)
File "/usr/lib/python3.6/site-packages/sklearn/base.py", line 518, in fit_transform
return self.fit(X, **fit_params).transform(X)
File "/usr/lib/python3.6/site-packages/sklearn/feature_extraction/text.py", line 519, in transform
X = self._get_hasher().transform(analyzer(doc) for doc in X)
File "/usr/lib/python3.6/site-packages/sklearn/feature_extraction/hashing.py", line 167, in transform
shape=(n_samples, self.n_features))
File "/usr/lib/python3.6/site-packages/scipy/sparse/compressed.py", line 98, in __init__
self.check_format(full_check=False)
File "/usr/lib/python3.6/site-packages/scipy/sparse/compressed.py", line 167, in check_format
raise ValueError("indices and data should have the same size")
ValueError: indices and data should have the same size
</code></pre></div>
<p dir="auto">Applying this patch and running my code gives an error:</p>
<div class="highlight highlight-source-diff notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="diff --git a/sklearn/feature_extraction/_hashing.pyx b/sklearn/feature_extraction/_hashing.pyx
index e39aeafa0..b80d932cb 100644
--- a/sklearn/feature_extraction/_hashing.pyx
+++ b/sklearn/feature_extraction/_hashing.pyx
@@ -79,4 +79,6 @@ def transform(raw_X, Py_ssize_t n_features, dtype, bint alternate_sign=1):
indptr[len(indptr) - 1] = size
indices_a = np.frombuffer(indices, dtype=np.int32)
+ if not len(indices_a) == size:
+ raise ValueError("len indices_a: " + str(len(indices_a)) + ", size: " + str(size))"><pre class="notranslate"><span class="pl-c1">diff --git a/sklearn/feature_extraction/_hashing.pyx b/sklearn/feature_extraction/_hashing.pyx</span>
index e39aeafa0..b80d932cb 100644
<span class="pl-md">--- a/sklearn/feature_extraction/_hashing.pyx</span>
<span class="pl-mi1">+++ b/sklearn/feature_extraction/_hashing.pyx</span>
<span class="pl-mdr">@@ -79,4 +79,6 @@</span> def transform(raw_X, Py_ssize_t n_features, dtype, bint alternate_sign=1):
indptr[len(indptr) - 1] = size
indices_a = np.frombuffer(indices, dtype=np.int32)
<span class="pl-mi1"><span class="pl-mi1">+</span> if not len(indices_a) == size:</span>
<span class="pl-mi1"><span class="pl-mi1">+</span> raise ValueError("len indices_a: " + str(len(indices_a)) + ", size: " + str(size))</span></pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Traceback (most recent call last):
File "/usr/lib/python3.6/site-packages/sklearn/pipeline.py", line 289, in fit_transform
Xt, fit_params = self._fit(X, y, **fit_params)
File "/usr/lib/python3.6/site-packages/sklearn/pipeline.py", line 221, in _fit
**fit_params_steps[name])
File "/usr/lib/python3.6/site-packages/sklearn/externals/joblib/memory.py", line 362, in __call__
return self.func(*args, **kwargs)
File "/usr/lib/python3.6/site-packages/sklearn/pipeline.py", line 588, in _fit_transform_one
res = transformer.fit_transform(X, y, **fit_params)
File "/usr/lib/python3.6/site-packages/sklearn/base.py", line 518, in fit_transform
return self.fit(X, **fit_params).transform(X)
File "/usr/lib/python3.6/site-packages/sklearn/feature_extraction/text.py", line 519, in transform
X = self._get_hasher().transform(analyzer(doc) for doc in X)
File "/usr/lib/python3.6/site-packages/sklearn/feature_extraction/hashing.py", line 160, in transform
self.alternate_sign)
File "sklearn/feature_extraction/_hashing.pyx", line 83, in sklearn.feature_extraction._hashing.transform
ValueError: len indices_a: 2532660308, size: -1762306988 "><pre class="notranslate"><code class="notranslate">Traceback (most recent call last):
File "/usr/lib/python3.6/site-packages/sklearn/pipeline.py", line 289, in fit_transform
Xt, fit_params = self._fit(X, y, **fit_params)
File "/usr/lib/python3.6/site-packages/sklearn/pipeline.py", line 221, in _fit
**fit_params_steps[name])
File "/usr/lib/python3.6/site-packages/sklearn/externals/joblib/memory.py", line 362, in __call__
return self.func(*args, **kwargs)
File "/usr/lib/python3.6/site-packages/sklearn/pipeline.py", line 588, in _fit_transform_one
res = transformer.fit_transform(X, y, **fit_params)
File "/usr/lib/python3.6/site-packages/sklearn/base.py", line 518, in fit_transform
return self.fit(X, **fit_params).transform(X)
File "/usr/lib/python3.6/site-packages/sklearn/feature_extraction/text.py", line 519, in transform
X = self._get_hasher().transform(analyzer(doc) for doc in X)
File "/usr/lib/python3.6/site-packages/sklearn/feature_extraction/hashing.py", line 160, in transform
self.alternate_sign)
File "sklearn/feature_extraction/_hashing.pyx", line 83, in sklearn.feature_extraction._hashing.transform
ValueError: len indices_a: 2532660308, size: -1762306988
</code></pre></div>
<p dir="auto">Proposed fix:</p>
<div class="highlight highlight-source-diff notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="diff --git a/sklearn/feature_extraction/_hashing.pyx b/sklearn/feature_extraction/_hashing.pyx
index e39aeafa0..a3aec8158 100644
--- a/sklearn/feature_extraction/_hashing.pyx
+++ b/sklearn/feature_extraction/_hashing.pyx
@@ -38,7 +38,7 @@ def transform(raw_X, Py_ssize_t n_features, dtype, bint alternate_sign=1):
# Since Python array does not understand Numpy dtypes, we grow the indices
# and values arrays ourselves. Use a Py_ssize_t capacity for safety.
cdef Py_ssize_t capacity = 8192 # arbitrary
- cdef np.int32_t size = 0
+ cdef np.uint64_t size = 0
cdef np.ndarray values = np.empty(capacity, dtype=dtype)
for x in raw_X:"><pre class="notranslate"><span class="pl-c1">diff --git a/sklearn/feature_extraction/_hashing.pyx b/sklearn/feature_extraction/_hashing.pyx</span>
index e39aeafa0..a3aec8158 100644
<span class="pl-md">--- a/sklearn/feature_extraction/_hashing.pyx</span>
<span class="pl-mi1">+++ b/sklearn/feature_extraction/_hashing.pyx</span>
<span class="pl-mdr">@@ -38,7 +38,7 @@</span> def transform(raw_X, Py_ssize_t n_features, dtype, bint alternate_sign=1):
# Since Python array does not understand Numpy dtypes, we grow the indices
# and values arrays ourselves. Use a Py_ssize_t capacity for safety.
cdef Py_ssize_t capacity = 8192 # arbitrary
<span class="pl-md"><span class="pl-md">-</span> cdef np.int32_t size = 0</span>
<span class="pl-mi1"><span class="pl-mi1">+</span> cdef np.uint64_t size = 0</span>
cdef np.ndarray values = np.empty(capacity, dtype=dtype)
for x in raw_X:</pre></div> | <h4 dir="auto">Description</h4>
<p dir="auto"><code class="notranslate">sklearn.feature_extraction.text.HashingVectorizer.fit_transform</code> raises <code class="notranslate">ValueError: indices and data should have the same size</code> for data of a certain length. If you chunk the same data it runs fine.</p>
<h4 dir="auto">Steps/Code to Reproduce</h4>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import sklearn
from sklearn.feature_extraction.text import HashingVectorizer
print('scikit-learn version')
print(sklearn.__version__)
vectorizer = HashingVectorizer(
analyzer='char', non_negative=True,
n_features=1024, ngram_range=[4,16])
X = ['A'*1432]*203452
print('works')
vectorizer.fit_transform(X[:100000])
print('does not work')
vectorizer.fit_transform(X)"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">sklearn</span>
<span class="pl-k">from</span> <span class="pl-s1">sklearn</span>.<span class="pl-s1">feature_extraction</span>.<span class="pl-s1">text</span> <span class="pl-k">import</span> <span class="pl-v">HashingVectorizer</span>
<span class="pl-en">print</span>(<span class="pl-s">'scikit-learn version'</span>)
<span class="pl-en">print</span>(<span class="pl-s1">sklearn</span>.<span class="pl-s1">__version__</span>)
<span class="pl-s1">vectorizer</span> <span class="pl-c1">=</span> <span class="pl-v">HashingVectorizer</span>(
<span class="pl-s1">analyzer</span><span class="pl-c1">=</span><span class="pl-s">'char'</span>, <span class="pl-s1">non_negative</span><span class="pl-c1">=</span><span class="pl-c1">True</span>,
<span class="pl-s1">n_features</span><span class="pl-c1">=</span><span class="pl-c1">1024</span>, <span class="pl-s1">ngram_range</span><span class="pl-c1">=</span>[<span class="pl-c1">4</span>,<span class="pl-c1">16</span>])
<span class="pl-v">X</span> <span class="pl-c1">=</span> [<span class="pl-s">'A'</span><span class="pl-c1">*</span><span class="pl-c1">1432</span>]<span class="pl-c1">*</span><span class="pl-c1">203452</span>
<span class="pl-en">print</span>(<span class="pl-s">'works'</span>)
<span class="pl-s1">vectorizer</span>.<span class="pl-en">fit_transform</span>(<span class="pl-v">X</span>[:<span class="pl-c1">100000</span>])
<span class="pl-en">print</span>(<span class="pl-s">'does not work'</span>)
<span class="pl-s1">vectorizer</span>.<span class="pl-en">fit_transform</span>(<span class="pl-v">X</span>)</pre></div>
<h4 dir="auto">Expected Results</h4>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="scikit-learn version
0.18.1
works
does not work"><pre class="notranslate"><code class="notranslate">scikit-learn version
0.18.1
works
does not work
</code></pre></div>
<h4 dir="auto">Actual Results</h4>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="scikit-learn version
0.18.1
works
does not work
---------------------------------------------------------------------------
ValueError Traceback (most recent call last)
<ipython-input-1-aae200adab09> in <module>()
10 vectorizer.fit_transform(X[:100000])
11 print('does not work')
---> 12 vectorizer.fit_transform(X)
/Users/benkaehler/miniconda3/envs/qiime2-2017.4/lib/python3.5/site-packages/sklearn/feature_extraction/text.py in transform(self, X, y)
485
486 analyzer = self.build_analyzer()
--> 487 X = self._get_hasher().transform(analyzer(doc) for doc in X)
488 if self.binary:
489 X.data.fill(1)
/Users/benkaehler/miniconda3/envs/qiime2-2017.4/lib/python3.5/site-packages/sklearn/feature_extraction/hashing.py in transform(self, raw_X, y)
147
148 X = sp.csr_matrix((values, indices, indptr), dtype=self.dtype,
--> 149 shape=(n_samples, self.n_features))
150 X.sum_duplicates() # also sorts the indices
151 if self.non_negative:
/Users/benkaehler/miniconda3/envs/qiime2-2017.4/lib/python3.5/site-packages/scipy/sparse/compressed.py in __init__(self, arg1, shape, dtype, copy)
96 self.data = np.asarray(self.data, dtype=dtype)
97
---> 98 self.check_format(full_check=False)
99
100 def getnnz(self, axis=None):
/Users/benkaehler/miniconda3/envs/qiime2-2017.4/lib/python3.5/site-packages/scipy/sparse/compressed.py in check_format(self, full_check)
165 # check index and data arrays
166 if (len(self.indices) != len(self.data)):
--> 167 raise ValueError("indices and data should have the same size")
168 if (self.indptr[-1] > len(self.indices)):
169 raise ValueError("Last value of index pointer should be less than "
ValueError: indices and data should have the same size"><pre class="notranslate"><code class="notranslate">scikit-learn version
0.18.1
works
does not work
---------------------------------------------------------------------------
ValueError Traceback (most recent call last)
<ipython-input-1-aae200adab09> in <module>()
10 vectorizer.fit_transform(X[:100000])
11 print('does not work')
---> 12 vectorizer.fit_transform(X)
/Users/benkaehler/miniconda3/envs/qiime2-2017.4/lib/python3.5/site-packages/sklearn/feature_extraction/text.py in transform(self, X, y)
485
486 analyzer = self.build_analyzer()
--> 487 X = self._get_hasher().transform(analyzer(doc) for doc in X)
488 if self.binary:
489 X.data.fill(1)
/Users/benkaehler/miniconda3/envs/qiime2-2017.4/lib/python3.5/site-packages/sklearn/feature_extraction/hashing.py in transform(self, raw_X, y)
147
148 X = sp.csr_matrix((values, indices, indptr), dtype=self.dtype,
--> 149 shape=(n_samples, self.n_features))
150 X.sum_duplicates() # also sorts the indices
151 if self.non_negative:
/Users/benkaehler/miniconda3/envs/qiime2-2017.4/lib/python3.5/site-packages/scipy/sparse/compressed.py in __init__(self, arg1, shape, dtype, copy)
96 self.data = np.asarray(self.data, dtype=dtype)
97
---> 98 self.check_format(full_check=False)
99
100 def getnnz(self, axis=None):
/Users/benkaehler/miniconda3/envs/qiime2-2017.4/lib/python3.5/site-packages/scipy/sparse/compressed.py in check_format(self, full_check)
165 # check index and data arrays
166 if (len(self.indices) != len(self.data)):
--> 167 raise ValueError("indices and data should have the same size")
168 if (self.indptr[-1] > len(self.indices)):
169 raise ValueError("Last value of index pointer should be less than "
ValueError: indices and data should have the same size
</code></pre></div>
<h4 dir="auto">Versions</h4>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Darwin-16.5.0-x86_64-i386-64bit
Python 3.5.3 |Continuum Analytics, Inc.| (default, Mar 6 2017, 12:15:08)
[GCC 4.2.1 Compatible Apple LLVM 6.0 (clang-600.0.57)]
NumPy 1.12.1
SciPy 0.19.0
Scikit-Learn 0.18.1"><pre class="notranslate"><code class="notranslate">Darwin-16.5.0-x86_64-i386-64bit
Python 3.5.3 |Continuum Analytics, Inc.| (default, Mar 6 2017, 12:15:08)
[GCC 4.2.1 Compatible Apple LLVM 6.0 (clang-600.0.57)]
NumPy 1.12.1
SciPy 0.19.0
Scikit-Learn 0.18.1
</code></pre></div>
<p dir="auto">and</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Linux-2.6.32-504.16.2.el6.x86_64-x86_64-with-centos-6.6-Final
Python 3.5.3 |Continuum Analytics, Inc.| (default, Mar 6 2017, 11:58:13)
[GCC 4.4.7 20120313 (Red Hat 4.4.7-1)]
NumPy 1.12.1
SciPy 0.19.0
Scikit-Learn 0.18.1"><pre class="notranslate"><code class="notranslate">Linux-2.6.32-504.16.2.el6.x86_64-x86_64-with-centos-6.6-Final
Python 3.5.3 |Continuum Analytics, Inc.| (default, Mar 6 2017, 11:58:13)
[GCC 4.4.7 20120313 (Red Hat 4.4.7-1)]
NumPy 1.12.1
SciPy 0.19.0
Scikit-Learn 0.18.1
</code></pre></div> | 1 |
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/zeit/next.js/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<p dir="auto">Although <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="273022790" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/3265" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/3265/hovercard" href="https://github.com/vercel/next.js/issues/3265">#3265</a> raises this point too, but does not focus on it as the problem to address.</p>
<h2 dir="auto">Expected Behavior</h2>
<p dir="auto">The <a href="https://github.com/zeit/next.js#customizing-webpack-config">README specifies</a></p>
<blockquote>
<p dir="auto">Warning: Adding loaders to support new file types (css, less, svg, etc.) is not recommended because only the client code gets bundled via webpack and thus it won't work on the initial server rendering</p>
</blockquote>
<p dir="auto">However many of the repo's examples rely on custom webpack configurations and loaders to produce their desired outcomes.</p>
<p dir="auto">Eg: <a href="https://github.com/zeit/next.js/tree/canary/examples/with-global-stylesheet">with-global-stylesheet</a> requires a bunch of loaders <code class="notranslate"> use: ['babel-loader', 'raw-loader', 'postcss-loader']</code> to compile and output the files into the dist dir.</p>
<p dir="auto">Then, in my journey for external global and scoped scss -> css configuration/pipeline I came across <a href="https://github.com/zeit/next.js/issues/2413" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/2413/hovercard">this thread</a>.</p>
<p dir="auto"><a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/giuseppeg/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/giuseppeg">@giuseppeg</a> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="239663834" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/2413" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/2413/hovercard?comment_id=313608379&comment_type=issue_comment" href="https://github.com/vercel/next.js/issues/2413#issuecomment-313608379">#2413 (comment)</a></p>
<blockquote>
<p dir="auto">It seems that in the example webpack is doing the magic, but if it would be very cool if that works for ssr too. Have you also tried without the global property on the style tag?</p>
</blockquote>
<p dir="auto"><a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/timneutkens/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/timneutkens">@timneutkens</a> <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="239663834" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/2413" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/2413/hovercard?comment_id=314011709&comment_type=issue_comment" href="https://github.com/vercel/next.js/issues/2413#issuecomment-314011709">#2413 (comment)</a></p>
<blockquote>
<p dir="auto">This is really cool 😲</p>
</blockquote>
<p dir="auto">giuseppeg again - <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="239663834" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/2413" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/2413/hovercard?comment_id=314212017&comment_type=issue_comment" href="https://github.com/vercel/next.js/issues/2413#issuecomment-314212017">#2413 (comment)</a></p>
<blockquote>
<p dir="auto">Alright <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/mocheng/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/mocheng">@mocheng</a> it works indeed!</p>
</blockquote>
<p dir="auto">These comments in this thread have me confused about this Webpack warning.</p>
<h2 dir="auto">Context</h2>
<p dir="auto">Ultimately what I would like to understand is the following:</p>
<ol dir="auto">
<li>what are the implications of having Webpack configurations? Can the usage of Babel and Webpack in SSR and client-side be made more clear?</li>
<li>can we have more guidelines around the <code class="notranslate">examples</code> to make them more easily composed? Eg: <code class="notranslate">with-jest</code> does not play nice with any examples that rely on custom Webpack, specifically any styling examples.</li>
</ol> | <h1 dir="auto">Feature Request</h1>
<h2 dir="auto">The Problem</h2>
<p dir="auto">Next.js can't be used for apps running on Smart TV (e.g., on Samsung Tizen platform) or for other client-side rendered apps with dynamic data requirements.</p>
<p dir="auto">It would be great if Next.js could be used for client-side only apps and still support dynamic routing and automatic code-splitting.</p>
<h2 dir="auto">The Solution</h2>
<h3 dir="auto">SPA Mode</h3>
<p dir="auto">Next.js introduces a mode for building app as a single-page application (SPA). <code class="notranslate">getInitialProps</code> works just like before, but is executed on the client only.</p>
<p dir="auto">The new option for SPA mode is added to <em>next.config.js</em>:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="module.exports = {
…,
spa: true
};"><pre class="notranslate"><span class="pl-smi">module</span><span class="pl-kos">.</span><span class="pl-c1">exports</span> <span class="pl-c1">=</span> <span class="pl-kos">{</span>
…<span class="pl-kos">,</span>
<span class="pl-c1">spa</span>: <span class="pl-c1">true</span>
<span class="pl-kos">}</span><span class="pl-kos">;</span></pre></div>
<h3 dir="auto">Using SPA and SSG</h3>
<p dir="auto">The open question is how to handle both SPA mode and SSG. It looks like it's still possible to do it on a per-page basis (suggested <a href="https://github.com/zeit/next.js/issues/9524" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/9524/hovercard">in this RFC</a>). Although there's no clear benefit of using a hybrid app for Smart TV use case as TV apps are hosted locally on the device.</p>
<h2 dir="auto">Considered Alternatives</h2>
<p dir="auto"><strong>Static export</strong> is not an option because the app has dynamic data requirements.</p>
<p dir="auto"><strong>SSR</strong> doesn't make sense because the app is hosted locally on the TV device. It's not a technical option either because Node.js isn't available on the TV.</p>
<p dir="auto">So, the alternative that is left is running the app <strong>without Next.js</strong>.</p>
<h2 dir="auto">Additional context</h2>
<p dir="auto"><a href="https://github.com/zeit/next.js/issues/7355" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/7355/hovercard">This RFC</a> mentions the support of "client-side only applications" as one of the goals.</p>
<p dir="auto">Nuxt.js supports a <a href="https://nuxtjs.org/guide/commands#single-page-application-deployment-spa-" rel="nofollow">dedicated mode</a> for building SPA.</p>
<h3 dir="auto">Smart TV Apps 101</h3>
<p dir="auto">Smart TV apps are web apps that are executed by TV's browser engine:</p>
<ol dir="auto">
<li>The developer creates an application bundle: styles, scripts, images, <em>index.html</em>, certificates, TV config file, etc.</li>
<li>The bundle is submitted for review to TV's app store.</li>
<li>Upon successful review, the app is added to the app store and is available for download.</li>
<li>The user downloads the app.</li>
<li>The app is hosted by the TV and is run by the user.</li>
</ol>
<p dir="auto">Some Smart TV platforms like webOS TV support <a href="http://webostv.developer.lge.com/develop/app-developer-guide/hosted-web-app/" rel="nofollow">hosted web apps</a>, others like Tizen prohibit such kind of apps.</p> | 0 |
<h1 dir="auto">Environment</h1>
<p dir="auto">Windows 10<br>
Any other software?</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="
# Steps to reproduce
1. Run cmd.exe under windows terminal preview
2. navigate to a directory containing text files
3. Run the command "less -MN *.txt"
4. When you reach the end of the 1st file enter the "less" command ":n" to go to the next file
# Expected behavior
"less" should start displaying the next file.
# Actual behavior
I get the following error message "no previous regular expression". This does not happen when I run less under a cmd.exe session the old fashioned way."><pre class="notranslate"><code class="notranslate">
# Steps to reproduce
1. Run cmd.exe under windows terminal preview
2. navigate to a directory containing text files
3. Run the command "less -MN *.txt"
4. When you reach the end of the 1st file enter the "less" command ":n" to go to the next file
# Expected behavior
"less" should start displaying the next file.
# Actual behavior
I get the following error message "no previous regular expression". This does not happen when I run less under a cmd.exe session the old fashioned way.
</code></pre></div> | <h1 dir="auto">Description of the new feature/enhancement</h1>
<p dir="auto">Add a Global Setting <code class="notranslate">OpenMaximized</code> to start the application with a maximized window.</p> | 0 |
<p dir="auto">Latest Atom version 0.187.0 (on OS X) does not highlight the following PHP code correctly:</p>
<p dir="auto"><code class="notranslate">$cvsData = date("Y-m-d H:i:s") . ";" . $_POST["venue"] . ";" . $_POST["salutation"] . ";" . $_POST["surname"] . ";" . $_POST["name"] . ";" . $_POST["company"] . ";" . $_POST["phone"] . ";" . $_POST["email"] . ";" . $_POST["address"] . ";" . $_POST["plz"] . ";" . $_POST["place"] . "\n";</code></p>
<p dir="auto">It stops inking the variables starting with $_POST["phone"].</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/4235935/6661029/a9d153a2-cba5-11e4-9547-83c739f68597.png"><img src="https://cloud.githubusercontent.com/assets/4235935/6661029/a9d153a2-cba5-11e4-9547-83c739f68597.png" alt="bildschirmfoto 2015-03-16 um 06 28 13" style="max-width: 100%;"></a></p> | <p dir="auto">I opened a Python file with the following line (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="20976125" data-permission-text="Title is private" data-url="https://github.com/atom/atom/issues/963" data-hovercard-type="pull_request" data-hovercard-url="/atom/atom/pull/963/hovercard" href="https://github.com/atom/atom/pull/963">#963</a>):</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content=" PrintAndLog(u"SSID: " + RememberedNetwork["SSIDString"].decode("utf-8") + u" - BSSID: " + RememberedNetwork["CachedScanRecord"]["BSSID"] + u" - RSSI: " + str(RememberedNetwork["CachedScanRecord"]["RSSI"]) + u" - Last connected: " + str(RememberedNetwork["LastConnected"]) + u" - Security type: " + RememberedNetwork["SecurityType"] + u" - Geolocation: " + Geolocation, "INFO")"><pre class="notranslate"> <span class="pl-v">PrintAndLog</span>(<span class="pl-s">u"SSID: "</span> <span class="pl-c1">+</span> <span class="pl-v">RememberedNetwork</span>[<span class="pl-s">"SSIDString"</span>].<span class="pl-en">decode</span>(<span class="pl-s">"utf-8"</span>) <span class="pl-c1">+</span> <span class="pl-s">u" - BSSID: "</span> <span class="pl-c1">+</span> <span class="pl-v">RememberedNetwork</span>[<span class="pl-s">"CachedScanRecord"</span>][<span class="pl-s">"BSSID"</span>] <span class="pl-c1">+</span> <span class="pl-s">u" - RSSI: "</span> <span class="pl-c1">+</span> <span class="pl-en">str</span>(<span class="pl-v">RememberedNetwork</span>[<span class="pl-s">"CachedScanRecord"</span>][<span class="pl-s">"RSSI"</span>]) <span class="pl-c1">+</span> <span class="pl-s">u" - Last connected: "</span> <span class="pl-c1">+</span> <span class="pl-en">str</span>(<span class="pl-v">RememberedNetwork</span>[<span class="pl-s">"LastConnected"</span>]) <span class="pl-c1">+</span> <span class="pl-s">u" - Security type: "</span> <span class="pl-c1">+</span> <span class="pl-v">RememberedNetwork</span>[<span class="pl-s">"SecurityType"</span>] <span class="pl-c1">+</span> <span class="pl-s">u" - Geolocation: "</span> <span class="pl-c1">+</span> <span class="pl-v">Geolocation</span>, <span class="pl-s">"INFO"</span>)</pre></div>
<p dir="auto">Which led to the following bug:<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://camo.githubusercontent.com/e06069206d526a16adf21e84cd179f1185d3fb5e0f05fea4d4b4a08a978092f4/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f34343737342f323331333737382f37366262346262612d613330642d313165332d396136342d3831663666393163323563342e706e67"><img src="https://camo.githubusercontent.com/e06069206d526a16adf21e84cd179f1185d3fb5e0f05fea4d4b4a08a978092f4/68747470733a2f2f662e636c6f75642e6769746875622e636f6d2f6173736574732f34343737342f323331333737382f37366262346262612d613330642d313165332d396136342d3831663666393163323563342e706e67" alt="screen shot 2014-03-03 at 2 52 40 pm" data-canonical-src="https://f.cloud.github.com/assets/44774/2313778/76bb4bba-a30d-11e3-9a64-81f6f91c25c4.png" style="max-width: 100%;"></a></p>
<p dir="auto">You can find this as the main file in <a href="https://github.com/jipegit/OSXAuditor/blob/master/osxauditor.py"><code class="notranslate">osxauditor.py</code></a>.</p> | 1 |
<p dir="auto">Post the initial implementation of the language server, there are quite a few other features that need to be added as well as some "tech debt" from the initial implementation. We might want to break some of these off to individual issues, but it is good enough for now to have a "master" issue for tracking purposes.</p>
<h3 dir="auto">Language Service Features</h3>
<p dir="auto">These are server capabilities provided by the language server protocol, which various editors can take advantage of. Most of these features are exposed <a href="https://github.com/microsoft/vscode/tree/master/extensions/typescript-language-features/src/languageFeatures">here</a> in visual studio code for TypeScript/JavaScript and provide a high level structure of how to take information from the <code class="notranslate">tsc</code> compiler isolate and bring it into Rust and send it back over the language server client. Specifically, the <em>DefinitionProvider</em> is a good model of how to add a feature. Looking at the <code class="notranslate">cli/lsp/mod.rs</code> for the <code class="notranslate">GotoDefinition</code> handling demonstrates calling into <code class="notranslate">tsc</code> and dealing with a response back, converting it to a valid lsp response.</p>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> TypeDefinitionProvider<g-emoji class="g-emoji" alias="star" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/2b50.png">⭐</g-emoji> (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="1055645901" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/12789" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/12789/hovercard" href="https://github.com/denoland/deno/pull/12789">#12789</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> WorkspaceSymbolProvider (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="1055566624" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/12787" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/12787/hovercard" href="https://github.com/denoland/deno/pull/12787">#12787</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> Workspace Folders (multiple roots per workspace) (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="875159725" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/10488" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/10488/hovercard" href="https://github.com/denoland/deno/pull/10488">#10488</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> Completion Provider <del>(this will be the most complex one, because we also need to enrich the response back from tsc)</del> an mvp exists (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="758854321" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/8651" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/8651/hovercard" href="https://github.com/denoland/deno/pull/8651">#8651</a>), but we likely want to enhance it.
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <del>Enable <code class="notranslate">include_completions_with_insert_text</code> (in consequence enabling <code class="notranslate">include_automatic_optional_chain_completions</code> and <code class="notranslate">include_completions_for_module_exports</code>)</del> <em>this is largely fixed</em></li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> Registry completions (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="844408756" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/9934" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/9934/hovercard" href="https://github.com/denoland/deno/pull/9934">#9934</a>)</li>
</ul>
</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> SignatureHelpProvider <g-emoji class="g-emoji" alias="star" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/2b50.png">⭐</g-emoji> (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="797398392" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/9330" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/9330/hovercard" href="https://github.com/denoland/deno/pull/9330">#9330</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> CodeActionProvider <g-emoji class="g-emoji" alias="star" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/2b50.png">⭐</g-emoji>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> QuickFix</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <code class="notranslate">deno cache</code></li>
</ul>
</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> ImplementationProvider <g-emoji class="g-emoji" alias="star" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/2b50.png">⭐</g-emoji> (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="782644275" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/9071" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/9071/hovercard" href="https://github.com/denoland/deno/pull/9071">#9071</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> CodeLensProvider (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="796588200" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/9316" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/9316/hovercard" href="https://github.com/denoland/deno/pull/9316">#9316</a>)
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> References (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="796588200" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/9316" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/9316/hovercard" href="https://github.com/denoland/deno/pull/9316">#9316</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> Implementations</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> Deno specific code lenses, like tests? (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="913078166" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/10874" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/10874/hovercard" href="https://github.com/denoland/deno/pull/10874">#10874</a>)</li>
</ul>
</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> RenameProvider (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="775664809" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/8910" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/8910/hovercard" href="https://github.com/denoland/deno/pull/8910">#8910</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> SelectionRangeProvider (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="836990162" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/9845" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/9845/hovercard" href="https://github.com/denoland/deno/pull/9845">#9845</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> FoldingRangeProvider (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="841570002" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/9900" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/9900/hovercard" href="https://github.com/denoland/deno/pull/9900">#9900</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> CallHierarchyProvider (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="852681061" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/10061" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/10061/hovercard" href="https://github.com/denoland/deno/pull/10061">#10061</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> SemanticTokensProvider (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="860550176" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/10233" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/10233/hovercard" href="https://github.com/denoland/deno/pull/10233">#10233</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> DocumentSymbolProvider (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="849682375" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/9981" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/9981/hovercard" href="https://github.com/denoland/deno/pull/9981">#9981</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> DocumentLinkProvider - <em>vscode only implements this for tsconfig.json, we should consider it for <code class="notranslate">deno.jsonc</code></em></li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> DocumentRangeFormattingProvider (maybe)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> DocumentOnTypeFormattingProvider (maybe)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <del>SemanticHighlighting</del> - <em>vscode does not implement this for typescript, semantic tokens instead</em></li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <del>ColorProvider</del> <em>vscode does not implement this for typescript</em></li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <del>ExecuteCommandProvider</del> <em>there is nothing to implement here</em></li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <del>OnTypeRenameProvider</del> <em>vscode does not implement this for typescript</em></li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <del>DeclarationProvider ⭐</del> <em>vscode does not implement this for typescript</em></li>
</ul>
<h3 dir="auto">Extension Configuration Options</h3>
<p dir="auto">There are several configuration/settings that are currently not respected by the language server, but should be.</p>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <code class="notranslate">cachePath</code> - allow the <code class="notranslate">DENO_DIR</code> to be set in the configuration for the workspace allowing the default to be overridden and not need to setup an environment variable to change it.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <code class="notranslate">enable</code> - this is only partially respected at the moment, for diagnostics, but other requests are duplicating values when enabled (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="772548485" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/8850" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/8850/hovercard" href="https://github.com/denoland/deno/pull/8850">#8850</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <code class="notranslate">unstable</code> - needs to configure the tsc isolate with a new set of libs which include the unstable ones (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="772581825" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/8851" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/8851/hovercard" href="https://github.com/denoland/deno/pull/8851">#8851</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <code class="notranslate">importMap</code> - the language server state should own the value and be passed when resolving modules (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="760042298" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/8683" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/8683/hovercard" href="https://github.com/denoland/deno/pull/8683">#8683</a>)</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> <code class="notranslate">config</code> - needs to change the config to the isolate, since <code class="notranslate">--config</code> is a CLI opt in, it should only be resolved when set and passed to the tsc isolate (<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="776238279" data-permission-text="Title is private" data-url="https://github.com/denoland/deno/issues/8926" data-hovercard-type="pull_request" data-hovercard-url="/denoland/deno/pull/8926/hovercard" href="https://github.com/denoland/deno/pull/8926">#8926</a>)</li>
</ul>
<h3 dir="auto">Additional Items</h3>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> The unit tests are quite spotty, and far from exhaustive, we need more unit tests</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> There is a basic integration test infrastructure, but we could use more integration tests</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> We need to provide typeahead completion for module registry via the language server, like the version 2 of the extension was able to do, but not have any of that in the extension, do it all from the language server.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> The current branch only provides access to modules that are already in the DENO_DIR. We can in theory instruct Deno to go fetch additional remote modules, but that comes with risks, because people will be typing out modules in a lot of cases and we don't want to <em>DDOS</em> registries with bad modules names. So we need to figure out when is it ok to fetch modules, if we do it automatically, or not.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> Deal with unicode and JavaScript properly. Investigate using swc's <code class="notranslate">SourceMap</code> to hold the in memory documents.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> Consider using swc's <a href="https://swc.rs/rustdoc/jsdoc/" rel="nofollow">jsdoc</a> crate when handling JSDoc between TypeScript and the language service.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox"> <code class="notranslate">deno_lint</code> should generate an unused <em>tag</em> as part of its diagnostic structure to flag unreachable code.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> We can spawn off diagnostics for things like <code class="notranslate">deno_lint</code> or reformatting a document to a seperate thread, but we don't allow isolates to be sent to other threads, in order not to have to deal with managing the lock, but it would be good to have a dedicated thread for getting diagnostics from the compiler isolate as to not lock the main loop of the language service.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> Re-work the static built assets... currently the language server is re-lining all the static type definition files... we were able to remove most of them from the Rust side during the build process, as they were actually present in the tsc snapshot and not needed anywhere else (except for a limit set for <code class="notranslate">deno types</code>). Now we need to have them all in the lsp in Rust to provide them on a goto definition situation.</li>
</ul> | <p dir="auto">Add sync and async APIs to the <code class="notranslate">Deno</code> namespace which allow to acquire (advisory) file-system locks. The API could look something like this:</p>
<div class="highlight highlight-source-ts notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="interface LockOptions {
mode: "shared" | "exclusive";
}
interface Deno {
// ...
flock: (pid: number, options: LockOptions) => Promise<void>;
fsyncLock: (pid: number, options: LockOptions) => void;
funlock: (pid: number) => Promise<void>;
fsyncUnlock: (pid: number) => void;
// plus potentially something to check if a file lock can
// be acquired.
fcheckLock: (pid: number, options: LockOptions) => Promise<boolean>;
fsyncCheckLock: (pid: number, options: LockOptions) => boolean;
// ...
}"><pre class="notranslate"><span class="pl-k">interface</span> <span class="pl-smi">LockOptions</span> <span class="pl-kos">{</span>
<span class="pl-c1">mode</span>: <span class="pl-s">"shared"</span> <span class="pl-c1">|</span> <span class="pl-s">"exclusive"</span><span class="pl-kos">;</span>
<span class="pl-kos">}</span>
<span class="pl-k">interface</span> <span class="pl-smi">Deno</span> <span class="pl-kos">{</span>
<span class="pl-c">// ...</span>
<span class="pl-c1">flock</span>: <span class="pl-kos">(</span><span class="pl-s1">pid</span>: <span class="pl-smi">number</span><span class="pl-kos">,</span> <span class="pl-s1">options</span>: <span class="pl-smi">LockOptions</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-smi">Promise</span><span class="pl-kos"><</span><span class="pl-smi"><span class="pl-k">void</span></span><span class="pl-kos">></span><span class="pl-kos">;</span>
<span class="pl-c1">fsyncLock</span>: <span class="pl-kos">(</span><span class="pl-s1">pid</span>: <span class="pl-smi">number</span><span class="pl-kos">,</span> <span class="pl-s1">options</span>: <span class="pl-smi">LockOptions</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-smi"><span class="pl-k">void</span></span><span class="pl-kos">;</span>
<span class="pl-c1">funlock</span>: <span class="pl-kos">(</span><span class="pl-s1">pid</span>: <span class="pl-smi">number</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-smi">Promise</span><span class="pl-kos"><</span><span class="pl-smi"><span class="pl-k">void</span></span><span class="pl-kos">></span><span class="pl-kos">;</span>
<span class="pl-c1">fsyncUnlock</span>: <span class="pl-kos">(</span><span class="pl-s1">pid</span>: <span class="pl-smi">number</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-smi"><span class="pl-k">void</span></span><span class="pl-kos">;</span>
<span class="pl-c">// plus potentially something to check if a file lock can</span>
<span class="pl-c">// be acquired.</span>
<span class="pl-c1">fcheckLock</span>: <span class="pl-kos">(</span><span class="pl-s1">pid</span>: <span class="pl-smi">number</span><span class="pl-kos">,</span> <span class="pl-s1">options</span>: <span class="pl-smi">LockOptions</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-smi">Promise</span><span class="pl-kos"><</span><span class="pl-smi">boolean</span><span class="pl-kos">></span><span class="pl-kos">;</span>
<span class="pl-c1">fsyncCheckLock</span>: <span class="pl-kos">(</span><span class="pl-s1">pid</span>: <span class="pl-smi">number</span><span class="pl-kos">,</span> <span class="pl-s1">options</span>: <span class="pl-smi">LockOptions</span><span class="pl-kos">)</span> <span class="pl-c1">=></span> <span class="pl-smi">boolean</span><span class="pl-kos">;</span>
<span class="pl-c">// ...</span>
<span class="pl-kos">}</span></pre></div>
<p dir="auto">One possible good candidate for implementing those on the Rust side would be the <a href="https://crates.io/crates/fs3" rel="nofollow">fs3 crate</a>.</p>
<p dir="auto">The motivation for having these APIs is that they would enable synchronization between different processes which access the same file. In particular, this functionality would enable the <a href="https://deno.land/x/sqlite" rel="nofollow">https://deno.land/x/sqlite</a> library to provide the complete set of persistence guarantees native SQLite offers.</p> | 0 |
<h4 dir="auto">Challenge Name</h4>
<p dir="auto">Wrap Radio Buttons in a Fieldset Element for Better Accessibility</p>
<h4 dir="auto">Issue Description</h4>
<p dir="auto">The raw JavaScript code is showing in the output field on this challenge. I have taken a screenshot of this issues.</p>
<h4 dir="auto">Browser Information</h4>
<ul dir="auto">
<li>Browser Name, Version: Google Chrome V56.0.2924.76</li>
<li>Operating System: Windows 10</li>
<li>Mobile, Desktop, or Tablet: Desktop</li>
</ul>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/17409035/22468987/7295a42c-e798-11e6-889e-3411be994995.jpg"><img src="https://cloud.githubusercontent.com/assets/17409035/22468987/7295a42c-e798-11e6-889e-3411be994995.jpg" alt="backend capture" style="max-width: 100%;"></a></p>
<h4 dir="auto">Screenshot</h4> | <p dir="auto">Challenge <a href="http://beta.freecodecamp.com/en/challenges/applied-accessibility/add-an-accessible-date-picker" rel="nofollow">add-an-accessible-date-picker</a> has an issue.<br>
User Agent is: <code class="notranslate">Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/54.0.2840.71 Safari/537.36</code>.<br>
Please describe how to reproduce this issue, and include links to screenshots if possible.</p>
<p dir="auto">The code result includes additional lines of code<br>
Browser: Google Chrome<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://cloud.githubusercontent.com/assets/16070564/22173627/32a45ba8-dfda-11e6-91ef-3b00bc38fa2b.PNG"><img src="https://cloud.githubusercontent.com/assets/16070564/22173627/32a45ba8-dfda-11e6-91ef-3b00bc38fa2b.PNG" alt="bugfcc" style="max-width: 100%;"></a></p>
<div class="highlight highlight-text-html-basic notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="
<body>
<header>
<h1>Tournaments</h1>
</header>
<main>
<section>
<h2>Mortal Combat Tournament Survey</h2>
<form>
<p>Tell us the best date for the competition</p>
<label for="pickdate">Preferred Date (MM-DD-YYYY):</label>
<!-- Add your code below this line -->
<label for="date">Enter date (MM-DD-YYYY):</label>
<input type="date" id="pickdate" name="date">
<!-- Add your code above this line -->
<input type="submit" name="submit" value="Submit">
</form>
</section>
</main>
<footer>&copy; 2016 Camper Cat</footer>
</body>
```
"><pre class="notranslate">
<span class="pl-kos"><</span><span class="pl-ent">body</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">header</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">h1</span><span class="pl-kos">></span>Tournaments<span class="pl-kos"></</span><span class="pl-ent">h1</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">header</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">main</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">section</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">h2</span><span class="pl-kos">></span>Mortal Combat Tournament Survey<span class="pl-kos"></</span><span class="pl-ent">h2</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">form</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">p</span><span class="pl-kos">></span>Tell us the best date for the competition<span class="pl-kos"></</span><span class="pl-ent">p</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">label</span> <span class="pl-c1">for</span>="<span class="pl-s">pickdate</span>"<span class="pl-kos">></span>Preferred Date (MM-DD-YYYY):<span class="pl-kos"></</span><span class="pl-ent">label</span><span class="pl-kos">></span>
<span class="pl-c"><!-- Add your code below this line --></span>
<span class="pl-kos"><</span><span class="pl-ent">label</span> <span class="pl-c1">for</span>="<span class="pl-s">date</span>"<span class="pl-kos">></span>Enter date (MM-DD-YYYY):<span class="pl-kos"></</span><span class="pl-ent">label</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">input</span> <span class="pl-c1">type</span>="<span class="pl-s">date</span>" <span class="pl-c1">id</span>="<span class="pl-s">pickdate</span>" <span class="pl-c1">name</span>="<span class="pl-s">date</span>"<span class="pl-kos">></span>
<span class="pl-c"><!-- Add your code above this line --></span>
<span class="pl-kos"><</span><span class="pl-ent">input</span> <span class="pl-c1">type</span>="<span class="pl-s">submit</span>" <span class="pl-c1">name</span>="<span class="pl-s">submit</span>" <span class="pl-c1">value</span>="<span class="pl-s">Submit</span>"<span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">form</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">section</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">main</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">footer</span><span class="pl-kos">></span>&copy; 2016 Camper Cat<span class="pl-kos"></</span><span class="pl-ent">footer</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">body</span><span class="pl-kos">></span>
```
</pre></div> | 1 |
<h4 dir="auto">Code Sample</h4>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import numpy as np
import pandas as pd
dts = pd.date_range('20180101', periods=10)
iterables = [dts, ['one', 'two']]
idx = pd.MultiIndex.from_product(iterables, names=['first', 'second'])
s = pd.Series(np.random.randn(20), index=idx)
s.groupby('first').nlargest(1)"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">numpy</span> <span class="pl-k">as</span> <span class="pl-s1">np</span>
<span class="pl-k">import</span> <span class="pl-s1">pandas</span> <span class="pl-k">as</span> <span class="pl-s1">pd</span>
<span class="pl-s1">dts</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-en">date_range</span>(<span class="pl-s">'20180101'</span>, <span class="pl-s1">periods</span><span class="pl-c1">=</span><span class="pl-c1">10</span>)
<span class="pl-s1">iterables</span> <span class="pl-c1">=</span> [<span class="pl-s1">dts</span>, [<span class="pl-s">'one'</span>, <span class="pl-s">'two'</span>]]
<span class="pl-s1">idx</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">MultiIndex</span>.<span class="pl-en">from_product</span>(<span class="pl-s1">iterables</span>, <span class="pl-s1">names</span><span class="pl-c1">=</span>[<span class="pl-s">'first'</span>, <span class="pl-s">'second'</span>])
<span class="pl-s1">s</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">Series</span>(<span class="pl-s1">np</span>.<span class="pl-s1">random</span>.<span class="pl-en">randn</span>(<span class="pl-c1">20</span>), <span class="pl-s1">index</span><span class="pl-c1">=</span><span class="pl-s1">idx</span>)
<span class="pl-s1">s</span>.<span class="pl-en">groupby</span>(<span class="pl-s">'first'</span>).<span class="pl-en">nlargest</span>(<span class="pl-c1">1</span>)</pre></div>
<h4 dir="auto">Problem description</h4>
<p dir="auto">After upgrade to Anaconda 5.2.0, the sample code raises the following exception</p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="TypeError Traceback (most recent call last)
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in apply(self, func, *args, **kwargs)
917 try:
--> 918 result = self._python_apply_general(f)
919 except Exception:
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in _python_apply_general(self, f)
935 keys, values, mutated = self.grouper.apply(f, self._selected_obj,
--> 936 self.axis)
937
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in apply(self, f, data, axis)
2272 group_axes = _get_axes(group)
-> 2273 res = f(group)
2274 if not _is_indexed_like(res, group_axes):
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in curried_with_axis(x)
819 def curried_with_axis(x):
--> 820 return f(x, *args, **kwargs_with_axis)
821
TypeError: nlargest() got an unexpected keyword argument 'axis'
During handling of the above exception, another exception occurred:
TypeError Traceback (most recent call last)
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in wrapper(*args, **kwargs)
834 try:
--> 835 return self.apply(curried_with_axis)
836 except Exception:
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in apply(self, func, *args, **kwargs)
3468 def apply(self, func, *args, **kwargs):
-> 3469 return super(SeriesGroupBy, self).apply(func, *args, **kwargs)
3470
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in apply(self, func, *args, **kwargs)
929 with _group_selection_context(self):
--> 930 return self._python_apply_general(f)
931
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in _python_apply_general(self, f)
935 keys, values, mutated = self.grouper.apply(f, self._selected_obj,
--> 936 self.axis)
937
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in apply(self, f, data, axis)
2272 group_axes = _get_axes(group)
-> 2273 res = f(group)
2274 if not _is_indexed_like(res, group_axes):
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in curried_with_axis(x)
819 def curried_with_axis(x):
--> 820 return f(x, *args, **kwargs_with_axis)
821
TypeError: nlargest() got an unexpected keyword argument 'axis'
During handling of the above exception, another exception occurred:
ValueError Traceback (most recent call last)
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in apply(self, func, *args, **kwargs)
917 try:
--> 918 result = self._python_apply_general(f)
919 except Exception:
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in _python_apply_general(self, f)
940 values,
--> 941 not_indexed_same=mutated or self.mutated)
942
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in _wrap_applied_output(self, keys, values, not_indexed_same)
3611 return self._concat_objects(keys, values,
-> 3612 not_indexed_same=not_indexed_same)
3613 elif isinstance(values[0], DataFrame):
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in _concat_objects(self, keys, values, not_indexed_same)
1135 levels=group_levels, names=group_names,
-> 1136 sort=False)
1137 else:
~\Programs\Anaconda3\lib\site-packages\pandas\core\reshape\concat.py in concat(objs, axis, join, join_axes, ignore_index, keys, levels, names, verify_integrity, sort, copy)
224 verify_integrity=verify_integrity,
--> 225 copy=copy, sort=sort)
226 return op.get_result()
~\Programs\Anaconda3\lib\site-packages\pandas\core\reshape\concat.py in __init__(self, objs, axis, join, join_axes, keys, levels, names, ignore_index, verify_integrity, copy, sort)
377
--> 378 self.new_axes = self._get_new_axes()
379
~\Programs\Anaconda3\lib\site-packages\pandas\core\reshape\concat.py in _get_new_axes(self)
457
--> 458 new_axes[self.axis] = self._get_concat_axis()
459 return new_axes
~\Programs\Anaconda3\lib\site-packages\pandas\core\reshape\concat.py in _get_concat_axis(self)
513 concat_axis = _make_concat_multiindex(indexes, self.keys,
--> 514 self.levels, self.names)
515
~\Programs\Anaconda3\lib\site-packages\pandas\core\reshape\concat.py in _make_concat_multiindex(indexes, keys, levels, names)
594 return MultiIndex(levels=levels, labels=label_list, names=names,
--> 595 verify_integrity=False)
596
~\Programs\Anaconda3\lib\site-packages\pandas\core\indexes\multi.py in __new__(cls, levels, labels, sortorder, names, dtype, copy, name, verify_integrity, _set_identity)
231 # handles name validation
--> 232 result._set_names(names)
233
~\Programs\Anaconda3\lib\site-packages\pandas\core\indexes\multi.py in _set_names(self, names, level, validate)
694 'level {}, is already used for level '
--> 695 '{}.'.format(name, l, used[name]))
696
ValueError: Duplicated level name: "first", assigned to level 1, is already used for level 0.
During handling of the above exception, another exception occurred:
ValueError Traceback (most recent call last)
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in wrapper(*args, **kwargs)
837 try:
--> 838 return self.apply(curried)
839 except Exception:
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in apply(self, func, *args, **kwargs)
3468 def apply(self, func, *args, **kwargs):
-> 3469 return super(SeriesGroupBy, self).apply(func, *args, **kwargs)
3470
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in apply(self, func, *args, **kwargs)
929 with _group_selection_context(self):
--> 930 return self._python_apply_general(f)
931
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in _python_apply_general(self, f)
940 values,
--> 941 not_indexed_same=mutated or self.mutated)
942
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in _wrap_applied_output(self, keys, values, not_indexed_same)
3611 return self._concat_objects(keys, values,
-> 3612 not_indexed_same=not_indexed_same)
3613 elif isinstance(values[0], DataFrame):
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in _concat_objects(self, keys, values, not_indexed_same)
1135 levels=group_levels, names=group_names,
-> 1136 sort=False)
1137 else:
~\Programs\Anaconda3\lib\site-packages\pandas\core\reshape\concat.py in concat(objs, axis, join, join_axes, ignore_index, keys, levels, names, verify_integrity, sort, copy)
224 verify_integrity=verify_integrity,
--> 225 copy=copy, sort=sort)
226 return op.get_result()
~\Programs\Anaconda3\lib\site-packages\pandas\core\reshape\concat.py in __init__(self, objs, axis, join, join_axes, keys, levels, names, ignore_index, verify_integrity, copy, sort)
377
--> 378 self.new_axes = self._get_new_axes()
379
~\Programs\Anaconda3\lib\site-packages\pandas\core\reshape\concat.py in _get_new_axes(self)
457
--> 458 new_axes[self.axis] = self._get_concat_axis()
459 return new_axes
~\Programs\Anaconda3\lib\site-packages\pandas\core\reshape\concat.py in _get_concat_axis(self)
513 concat_axis = _make_concat_multiindex(indexes, self.keys,
--> 514 self.levels, self.names)
515
~\Programs\Anaconda3\lib\site-packages\pandas\core\reshape\concat.py in _make_concat_multiindex(indexes, keys, levels, names)
594 return MultiIndex(levels=levels, labels=label_list, names=names,
--> 595 verify_integrity=False)
596
~\Programs\Anaconda3\lib\site-packages\pandas\core\indexes\multi.py in __new__(cls, levels, labels, sortorder, names, dtype, copy, name, verify_integrity, _set_identity)
231 # handles name validation
--> 232 result._set_names(names)
233
~\Programs\Anaconda3\lib\site-packages\pandas\core\indexes\multi.py in _set_names(self, names, level, validate)
694 'level {}, is already used for level '
--> 695 '{}.'.format(name, l, used[name]))
696
ValueError: Duplicated level name: "first", assigned to level 1, is already used for level 0.
During handling of the above exception, another exception occurred:
AttributeError Traceback (most recent call last)
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in wrapper(*args, **kwargs)
847 try:
--> 848 return self._aggregate_item_by_item(name,
849 *args, **kwargs)
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in __getattr__(self, attr)
764 raise AttributeError("%r object has no attribute %r" %
--> 765 (type(self).__name__, attr))
766
AttributeError: 'SeriesGroupBy' object has no attribute '_aggregate_item_by_item'
During handling of the above exception, another exception occurred:
ValueError Traceback (most recent call last)
<ipython-input-2-2e8f88f2b9dc> in <module>()
6 idx = pd.MultiIndex.from_product(iterables, names=['first', 'second'])
7 s = pd.Series(np.random.randn(20), index=idx)
----> 8 s.groupby('first').nlargest(1)
~\Programs\Anaconda3\lib\site-packages\pandas\core\groupby\groupby.py in wrapper(*args, **kwargs)
849 *args, **kwargs)
850 except (AttributeError):
--> 851 raise ValueError
852
853 return wrapper
ValueError: "><pre class="notranslate"><span class="pl-v">TypeError</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">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">apply</span>(<span class="pl-s1">self</span>, <span class="pl-s1">func</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">917</span> <span class="pl-k">try</span>:
<span class="pl-c1">-</span><span class="pl-c1">-></span> <span class="pl-c1">918</span> <span class="pl-s1">result</span> <span class="pl-c1">=</span> <span class="pl-s1">self</span>.<span class="pl-en">_python_apply_general</span>(<span class="pl-s1">f</span>)
<span class="pl-c1">919</span> <span class="pl-k">except</span> <span class="pl-v">Exception</span>:
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_python_apply_general</span>(<span class="pl-s1">self</span>, <span class="pl-s1">f</span>)
<span class="pl-c1">935</span> <span class="pl-s1">keys</span>, <span class="pl-s1">values</span>, <span class="pl-s1">mutated</span> <span class="pl-c1">=</span> <span class="pl-s1">self</span>.<span class="pl-s1">grouper</span>.<span class="pl-en">apply</span>(<span class="pl-s1">f</span>, <span class="pl-s1">self</span>.<span class="pl-s1">_selected_obj</span>,
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">936</span> <span class="pl-s1">self</span>.<span class="pl-s1">axis</span>)
<span class="pl-c1">937</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">apply</span>(<span class="pl-s1">self</span>, <span class="pl-s1">f</span>, <span class="pl-s1">data</span>, <span class="pl-s1">axis</span>)
<span class="pl-c1">2272</span> <span class="pl-s1">group_axes</span> <span class="pl-c1">=</span> <span class="pl-en">_get_axes</span>(<span class="pl-s1">group</span>)
<span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">2273</span> <span class="pl-s1">res</span> <span class="pl-c1">=</span> <span class="pl-en">f</span>(<span class="pl-s1">group</span>)
<span class="pl-c1">2274</span> <span class="pl-k">if</span> <span class="pl-c1">not</span> <span class="pl-en">_is_indexed_like</span>(<span class="pl-s1">res</span>, <span class="pl-s1">group_axes</span>):
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">curried_with_axis</span>(<span class="pl-s1">x</span>)
<span class="pl-c1">819</span> <span class="pl-s1">def</span> <span class="pl-en">curried_with_axis</span>(<span class="pl-s1">x</span>):
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">820</span> <span class="pl-s1">return</span> <span class="pl-en">f</span>(<span class="pl-s1">x</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs_with_axis</span>)
<span class="pl-c1">821</span>
<span class="pl-v">TypeError</span>: <span class="pl-en">nlargest</span>() <span class="pl-s1">got</span> <span class="pl-s1">an</span> <span class="pl-s1">unexpected</span> <span class="pl-s1">keyword</span> <span class="pl-s1">argument</span> <span class="pl-s">'axis'</span>
<span class="pl-v">During</span> <span class="pl-s1">handling</span> <span class="pl-s1">of</span> <span class="pl-s1">the</span> <span class="pl-s1">above</span> <span class="pl-s1">exception</span>, <span class="pl-s1">another</span> <span class="pl-s1">exception</span> <span class="pl-s1">occurred</span>:
<span class="pl-v">TypeError</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">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">wrapper</span>(<span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">834</span> <span class="pl-s1">try</span>:
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">835</span> <span class="pl-s1">return</span> <span class="pl-s1">self</span>.<span class="pl-en">apply</span>(<span class="pl-s1">curried_with_axis</span>)
<span class="pl-c1">836</span> <span class="pl-s1">except</span> <span class="pl-v">Exception</span>:
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">apply</span>(<span class="pl-s1">self</span>, <span class="pl-s1">func</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">3468</span> <span class="pl-s1">def</span> <span class="pl-en">apply</span>(<span class="pl-s1">self</span>, <span class="pl-s1">func</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>):
<span class="pl-c1">-></span> <span class="pl-c1">3469</span> <span class="pl-s1">return</span> <span class="pl-en">super</span>(<span class="pl-v">SeriesGroupBy</span>, <span class="pl-s1">self</span>).<span class="pl-en">apply</span>(<span class="pl-s1">func</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">3470</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">apply</span>(<span class="pl-s1">self</span>, <span class="pl-s1">func</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">929</span> <span class="pl-s1">with</span> <span class="pl-en">_group_selection_context</span>(<span class="pl-s1">self</span>):
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">930</span> <span class="pl-s1">return</span> <span class="pl-s1">self</span>.<span class="pl-en">_python_apply_general</span>(<span class="pl-s1">f</span>)
<span class="pl-c1">931</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_python_apply_general</span>(<span class="pl-s1">self</span>, <span class="pl-s1">f</span>)
<span class="pl-c1">935</span> <span class="pl-s1">keys</span>, <span class="pl-s1">values</span>, <span class="pl-s1">mutated</span> <span class="pl-c1">=</span> <span class="pl-s1">self</span>.<span class="pl-s1">grouper</span>.<span class="pl-en">apply</span>(<span class="pl-s1">f</span>, <span class="pl-s1">self</span>.<span class="pl-s1">_selected_obj</span>,
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">936</span> <span class="pl-s1">self</span>.<span class="pl-s1">axis</span>)
<span class="pl-c1">937</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">apply</span>(<span class="pl-s1">self</span>, <span class="pl-s1">f</span>, <span class="pl-s1">data</span>, <span class="pl-s1">axis</span>)
<span class="pl-c1">2272</span> <span class="pl-s1">group_axes</span> <span class="pl-c1">=</span> <span class="pl-en">_get_axes</span>(<span class="pl-s1">group</span>)
<span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">2273</span> <span class="pl-s1">res</span> <span class="pl-c1">=</span> <span class="pl-s1">f</span>(<span class="pl-s1">group</span>)
<span class="pl-c1">2274</span> <span class="pl-k">if</span> <span class="pl-c1">not</span> <span class="pl-en">_is_indexed_like</span>(<span class="pl-s1">res</span>, <span class="pl-s1">group_axes</span>):
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">curried_with_axis</span>(<span class="pl-s1">x</span>)
<span class="pl-c1">819</span> <span class="pl-s1">def</span> <span class="pl-en">curried_with_axis</span>(<span class="pl-s1">x</span>):
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">820</span> <span class="pl-s1">return</span> <span class="pl-en">f</span>(<span class="pl-s1">x</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs_with_axis</span>)
<span class="pl-c1">821</span>
<span class="pl-v">TypeError</span>: <span class="pl-en">nlargest</span>() <span class="pl-s1">got</span> <span class="pl-s1">an</span> <span class="pl-s1">unexpected</span> <span class="pl-s1">keyword</span> <span class="pl-s1">argument</span> <span class="pl-s">'axis'</span>
<span class="pl-v">During</span> <span class="pl-s1">handling</span> <span class="pl-s1">of</span> <span class="pl-s1">the</span> <span class="pl-s1">above</span> <span class="pl-s1">exception</span>, <span class="pl-s1">another</span> <span class="pl-s1">exception</span> <span class="pl-s1">occurred</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">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">apply</span>(<span class="pl-s1">self</span>, <span class="pl-s1">func</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">917</span> <span class="pl-s1">try</span>:
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">918</span> <span class="pl-s1">result</span> <span class="pl-c1">=</span> <span class="pl-s1">self</span>.<span class="pl-en">_python_apply_general</span>(<span class="pl-s1">f</span>)
<span class="pl-c1">919</span> <span class="pl-s1">except</span> <span class="pl-v">Exception</span>:
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_python_apply_general</span>(<span class="pl-s1">self</span>, <span class="pl-s1">f</span>)
<span class="pl-c1">940</span> <span class="pl-s1">values</span>,
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">941</span> <span class="pl-s1">not_indexed_same</span><span class="pl-c1">=</span><span class="pl-s1">mutated</span> <span class="pl-c1">or</span> <span class="pl-s1">self</span>.<span class="pl-s1">mutated</span>)
<span class="pl-c1">942</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_wrap_applied_output</span>(<span class="pl-s1">self</span>, <span class="pl-s1">keys</span>, <span class="pl-s1">values</span>, <span class="pl-s1">not_indexed_same</span>)
<span class="pl-c1">3611</span> <span class="pl-k">return</span> <span class="pl-s1">self</span>.<span class="pl-en">_concat_objects</span>(<span class="pl-s1">keys</span>, <span class="pl-s1">values</span>,
<span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">3612</span> <span class="pl-s1">not_indexed_same</span><span class="pl-c1">=</span><span class="pl-s1">not_indexed_same</span>)
<span class="pl-c1">3613</span> <span class="pl-k">elif</span> <span class="pl-s1">isinstance</span>(<span class="pl-s1">values</span>[<span class="pl-c1">0</span>], <span class="pl-v">DataFrame</span>):
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_concat_objects</span>(<span class="pl-s1">self</span>, <span class="pl-s1">keys</span>, <span class="pl-s1">values</span>, <span class="pl-s1">not_indexed_same</span>)
<span class="pl-c1">1135</span> <span class="pl-s1">levels</span><span class="pl-c1">=</span><span class="pl-s1">group_levels</span>, <span class="pl-s1">names</span><span class="pl-c1">=</span><span class="pl-s1">group_names</span>,
<span class="pl-c1">-></span> <span class="pl-c1">1136</span> <span class="pl-s1">sort</span><span class="pl-c1">=</span><span class="pl-c1">False</span>)
<span class="pl-c1">1137</span> <span class="pl-k">else</span>:
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\r<span class="pl-s1">eshape</span>\c<span class="pl-s1">oncat</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">concat</span>(<span class="pl-s1">objs</span>, <span class="pl-s1">axis</span>, <span class="pl-s1">join</span>, <span class="pl-s1">join_axes</span>, <span class="pl-s1">ignore_index</span>, <span class="pl-s1">keys</span>, <span class="pl-s1">levels</span>, <span class="pl-s1">names</span>, <span class="pl-s1">verify_integrity</span>, <span class="pl-s1">sort</span>, <span class="pl-s1">copy</span>)
<span class="pl-c1">224</span> <span class="pl-s1">verify_integrity</span><span class="pl-c1">=</span><span class="pl-s1">verify_integrity</span>,
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">225</span> <span class="pl-s1">copy</span><span class="pl-c1">=</span><span class="pl-s1">copy</span>, <span class="pl-s1">sort</span><span class="pl-c1">=</span><span class="pl-s1">sort</span>)
<span class="pl-c1">226</span> <span class="pl-k">return</span> <span class="pl-s1">op</span>.<span class="pl-s1">get_result</span>()
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\r<span class="pl-s1">eshape</span>\c<span class="pl-s1">oncat</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">__init__</span>(<span class="pl-s1">self</span>, <span class="pl-s1">objs</span>, <span class="pl-s1">axis</span>, <span class="pl-s1">join</span>, <span class="pl-s1">join_axes</span>, <span class="pl-s1">keys</span>, <span class="pl-s1">levels</span>, <span class="pl-s1">names</span>, <span class="pl-s1">ignore_index</span>, <span class="pl-s1">verify_integrity</span>, <span class="pl-s1">copy</span>, <span class="pl-s1">sort</span>)
<span class="pl-c1">377</span>
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">378</span> <span class="pl-s1">self</span>.<span class="pl-s1">new_axes</span> <span class="pl-c1">=</span> <span class="pl-s1">self</span>.<span class="pl-en">_get_new_axes</span>()
<span class="pl-c1">379</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\r<span class="pl-s1">eshape</span>\c<span class="pl-s1">oncat</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_get_new_axes</span>(<span class="pl-s1">self</span>)
<span class="pl-c1">457</span>
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">458</span> <span class="pl-s1">new_axes</span>[<span class="pl-s1">self</span>.<span class="pl-s1">axis</span>] <span class="pl-c1">=</span> <span class="pl-s1">self</span>.<span class="pl-en">_get_concat_axis</span>()
<span class="pl-c1">459</span> <span class="pl-k">return</span> <span class="pl-s1">new_axes</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\r<span class="pl-s1">eshape</span>\c<span class="pl-s1">oncat</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_get_concat_axis</span>(<span class="pl-s1">self</span>)
<span class="pl-c1">513</span> <span class="pl-s1">concat_axis</span> <span class="pl-c1">=</span> <span class="pl-en">_make_concat_multiindex</span>(<span class="pl-s1">indexes</span>, <span class="pl-s1">self</span>.<span class="pl-s1">keys</span>,
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">514</span> <span class="pl-s1">self</span>.<span class="pl-s1">levels</span>, <span class="pl-s1">self</span>.<span class="pl-s1">names</span>)
<span class="pl-c1">515</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\r<span class="pl-s1">eshape</span>\c<span class="pl-s1">oncat</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_make_concat_multiindex</span>(<span class="pl-s1">indexes</span>, <span class="pl-s1">keys</span>, <span class="pl-s1">levels</span>, <span class="pl-s1">names</span>)
<span class="pl-c1">594</span> <span class="pl-k">return</span> <span class="pl-v">MultiIndex</span>(<span class="pl-s1">levels</span><span class="pl-c1">=</span><span class="pl-s1">levels</span>, <span class="pl-s1">labels</span><span class="pl-c1">=</span><span class="pl-s1">label_list</span>, <span class="pl-s1">names</span><span class="pl-c1">=</span><span class="pl-s1">names</span>,
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">595</span> <span class="pl-s1">verify_integrity</span><span class="pl-c1">=</span><span class="pl-c1">False</span>)
<span class="pl-c1">596</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\i<span class="pl-s1">ndexes</span>\m<span class="pl-s1">ulti</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">__new__</span>(<span class="pl-s1">cls</span>, <span class="pl-s1">levels</span>, <span class="pl-s1">labels</span>, <span class="pl-s1">sortorder</span>, <span class="pl-s1">names</span>, <span class="pl-s1">dtype</span>, <span class="pl-s1">copy</span>, <span class="pl-s1">name</span>, <span class="pl-s1">verify_integrity</span>, <span class="pl-s1">_set_identity</span>)
<span class="pl-c1">231</span> <span class="pl-c"># handles name validation</span>
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">232</span> <span class="pl-s1">result</span>.<span class="pl-en">_set_names</span>(<span class="pl-s1">names</span>)
<span class="pl-c1">233</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\i<span class="pl-s1">ndexes</span>\m<span class="pl-s1">ulti</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_set_names</span>(<span class="pl-s1">self</span>, <span class="pl-s1">names</span>, <span class="pl-s1">level</span>, <span class="pl-s1">validate</span>)
<span class="pl-c1">694</span> <span class="pl-s">'level {}, is already used for level '</span>
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">695</span> <span class="pl-s">'{}.'</span>.<span class="pl-en">format</span>(<span class="pl-s1">name</span>, <span class="pl-s1">l</span>, <span class="pl-s1">used</span>[<span class="pl-s1">name</span>]))
<span class="pl-c1">696</span>
<span class="pl-v">ValueError</span>: <span class="pl-v">Duplicated</span> <span class="pl-s1">level</span> <span class="pl-s1">name</span>: <span class="pl-s">"first"</span>, <span class="pl-s1">assigned</span> <span class="pl-s1">to</span> <span class="pl-s1">level</span> <span class="pl-c1">1</span>, <span class="pl-c1">is</span> <span class="pl-s1">already</span> <span class="pl-s1">used</span> <span class="pl-k">for</span> <span class="pl-s1">level</span> <span class="pl-c1">0.</span>
<span class="pl-v">During</span> <span class="pl-s1">handling</span> <span class="pl-s1">of</span> <span class="pl-s1">the</span> <span class="pl-s1">above</span> <span class="pl-s1">exception</span>, <span class="pl-s1">another</span> <span class="pl-s1">exception</span> <span class="pl-s1">occurred</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">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">wrapper</span>(<span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">837</span> <span class="pl-s1">try</span>:
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">838</span> <span class="pl-s1">return</span> <span class="pl-s1">self</span>.<span class="pl-en">apply</span>(<span class="pl-s1">curried</span>)
<span class="pl-c1">839</span> <span class="pl-s1">except</span> <span class="pl-v">Exception</span>:
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">apply</span>(<span class="pl-s1">self</span>, <span class="pl-s1">func</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">3468</span> <span class="pl-s1">def</span> <span class="pl-en">apply</span>(<span class="pl-s1">self</span>, <span class="pl-s1">func</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>):
<span class="pl-c1">-></span> <span class="pl-c1">3469</span> <span class="pl-s1">return</span> <span class="pl-en">super</span>(<span class="pl-v">SeriesGroupBy</span>, <span class="pl-s1">self</span>).<span class="pl-en">apply</span>(<span class="pl-s1">func</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">3470</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">apply</span>(<span class="pl-s1">self</span>, <span class="pl-s1">func</span>, <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">929</span> <span class="pl-s1">with</span> <span class="pl-en">_group_selection_context</span>(<span class="pl-s1">self</span>):
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">930</span> <span class="pl-s1">return</span> <span class="pl-s1">self</span>.<span class="pl-en">_python_apply_general</span>(<span class="pl-s1">f</span>)
<span class="pl-c1">931</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_python_apply_general</span>(<span class="pl-s1">self</span>, <span class="pl-s1">f</span>)
<span class="pl-c1">940</span> <span class="pl-s1">values</span>,
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">941</span> <span class="pl-s1">not_indexed_same</span><span class="pl-c1">=</span><span class="pl-s1">mutated</span> <span class="pl-c1">or</span> <span class="pl-s1">self</span>.<span class="pl-s1">mutated</span>)
<span class="pl-c1">942</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_wrap_applied_output</span>(<span class="pl-s1">self</span>, <span class="pl-s1">keys</span>, <span class="pl-s1">values</span>, <span class="pl-s1">not_indexed_same</span>)
<span class="pl-c1">3611</span> <span class="pl-k">return</span> <span class="pl-s1">self</span>.<span class="pl-en">_concat_objects</span>(<span class="pl-s1">keys</span>, <span class="pl-s1">values</span>,
<span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">3612</span> <span class="pl-s1">not_indexed_same</span><span class="pl-c1">=</span><span class="pl-s1">not_indexed_same</span>)
<span class="pl-c1">3613</span> <span class="pl-k">elif</span> <span class="pl-s1">isinstance</span>(<span class="pl-s1">values</span>[<span class="pl-c1">0</span>], <span class="pl-v">DataFrame</span>):
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_concat_objects</span>(<span class="pl-s1">self</span>, <span class="pl-s1">keys</span>, <span class="pl-s1">values</span>, <span class="pl-s1">not_indexed_same</span>)
<span class="pl-c1">1135</span> <span class="pl-s1">levels</span><span class="pl-c1">=</span><span class="pl-s1">group_levels</span>, <span class="pl-s1">names</span><span class="pl-c1">=</span><span class="pl-s1">group_names</span>,
<span class="pl-c1">-></span> <span class="pl-c1">1136</span> <span class="pl-s1">sort</span><span class="pl-c1">=</span><span class="pl-c1">False</span>)
<span class="pl-c1">1137</span> <span class="pl-k">else</span>:
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\r<span class="pl-s1">eshape</span>\c<span class="pl-s1">oncat</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">concat</span>(<span class="pl-s1">objs</span>, <span class="pl-s1">axis</span>, <span class="pl-s1">join</span>, <span class="pl-s1">join_axes</span>, <span class="pl-s1">ignore_index</span>, <span class="pl-s1">keys</span>, <span class="pl-s1">levels</span>, <span class="pl-s1">names</span>, <span class="pl-s1">verify_integrity</span>, <span class="pl-s1">sort</span>, <span class="pl-s1">copy</span>)
<span class="pl-c1">224</span> <span class="pl-s1">verify_integrity</span><span class="pl-c1">=</span><span class="pl-s1">verify_integrity</span>,
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">225</span> <span class="pl-s1">copy</span><span class="pl-c1">=</span><span class="pl-s1">copy</span>, <span class="pl-s1">sort</span><span class="pl-c1">=</span><span class="pl-s1">sort</span>)
<span class="pl-c1">226</span> <span class="pl-k">return</span> <span class="pl-s1">op</span>.<span class="pl-en">get_result</span>()
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\r<span class="pl-s1">eshape</span>\c<span class="pl-s1">oncat</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">__init__</span>(<span class="pl-s1">self</span>, <span class="pl-s1">objs</span>, <span class="pl-s1">axis</span>, <span class="pl-s1">join</span>, <span class="pl-s1">join_axes</span>, <span class="pl-s1">keys</span>, <span class="pl-s1">levels</span>, <span class="pl-s1">names</span>, <span class="pl-s1">ignore_index</span>, <span class="pl-s1">verify_integrity</span>, <span class="pl-s1">copy</span>, <span class="pl-s1">sort</span>)
<span class="pl-c1">377</span>
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">378</span> <span class="pl-s1">self</span>.<span class="pl-s1">new_axes</span> <span class="pl-c1">=</span> <span class="pl-s1">self</span>.<span class="pl-en">_get_new_axes</span>()
<span class="pl-c1">379</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\r<span class="pl-s1">eshape</span>\c<span class="pl-s1">oncat</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_get_new_axes</span>(<span class="pl-s1">self</span>)
<span class="pl-c1">457</span>
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">458</span> <span class="pl-s1">new_axes</span>[<span class="pl-s1">self</span>.<span class="pl-s1">axis</span>] <span class="pl-c1">=</span> <span class="pl-s1">self</span>.<span class="pl-en">_get_concat_axis</span>()
<span class="pl-c1">459</span> <span class="pl-k">return</span> <span class="pl-s1">new_axes</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\r<span class="pl-s1">eshape</span>\c<span class="pl-s1">oncat</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_get_concat_axis</span>(<span class="pl-s1">self</span>)
<span class="pl-c1">513</span> <span class="pl-s1">concat_axis</span> <span class="pl-c1">=</span> <span class="pl-en">_make_concat_multiindex</span>(<span class="pl-s1">indexes</span>, <span class="pl-s1">self</span>.<span class="pl-s1">keys</span>,
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">514</span> <span class="pl-s1">self</span>.<span class="pl-s1">levels</span>, <span class="pl-s1">self</span>.<span class="pl-s1">names</span>)
<span class="pl-c1">515</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\r<span class="pl-s1">eshape</span>\c<span class="pl-s1">oncat</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_make_concat_multiindex</span>(<span class="pl-s1">indexes</span>, <span class="pl-s1">keys</span>, <span class="pl-s1">levels</span>, <span class="pl-s1">names</span>)
<span class="pl-c1">594</span> <span class="pl-k">return</span> <span class="pl-v">MultiIndex</span>(<span class="pl-s1">levels</span><span class="pl-c1">=</span><span class="pl-s1">levels</span>, <span class="pl-s1">labels</span><span class="pl-c1">=</span><span class="pl-s1">label_list</span>, <span class="pl-s1">names</span><span class="pl-c1">=</span><span class="pl-s1">names</span>,
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">595</span> <span class="pl-s1">verify_integrity</span><span class="pl-c1">=</span><span class="pl-c1">False</span>)
<span class="pl-c1">596</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\i<span class="pl-s1">ndexes</span>\m<span class="pl-s1">ulti</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">__new__</span>(<span class="pl-s1">cls</span>, <span class="pl-s1">levels</span>, <span class="pl-s1">labels</span>, <span class="pl-s1">sortorder</span>, <span class="pl-s1">names</span>, <span class="pl-s1">dtype</span>, <span class="pl-s1">copy</span>, <span class="pl-s1">name</span>, <span class="pl-s1">verify_integrity</span>, <span class="pl-s1">_set_identity</span>)
<span class="pl-c1">231</span> <span class="pl-c"># handles name validation</span>
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">232</span> <span class="pl-s1">result</span>.<span class="pl-en">_set_names</span>(<span class="pl-s1">names</span>)
<span class="pl-c1">233</span>
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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>\i<span class="pl-s1">ndexes</span>\m<span class="pl-s1">ulti</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">_set_names</span>(<span class="pl-s1">self</span>, <span class="pl-s1">names</span>, <span class="pl-s1">level</span>, <span class="pl-s1">validate</span>)
<span class="pl-c1">694</span> <span class="pl-s">'level {}, is already used for level '</span>
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">695</span> <span class="pl-s">'{}.'</span>.<span class="pl-en">format</span>(<span class="pl-s1">name</span>, <span class="pl-s1">l</span>, <span class="pl-s1">used</span>[<span class="pl-s1">name</span>]))
<span class="pl-c1">696</span>
<span class="pl-v">ValueError</span>: <span class="pl-v">Duplicated</span> <span class="pl-s1">level</span> <span class="pl-s1">name</span>: <span class="pl-s">"first"</span>, <span class="pl-s1">assigned</span> <span class="pl-s1">to</span> <span class="pl-s1">level</span> <span class="pl-c1">1</span>, <span class="pl-c1">is</span> <span class="pl-s1">already</span> <span class="pl-s1">used</span> <span class="pl-k">for</span> <span class="pl-s1">level</span> <span class="pl-c1">0.</span>
<span class="pl-v">During</span> <span class="pl-s1">handling</span> <span class="pl-s1">of</span> <span class="pl-s1">the</span> <span class="pl-s1">above</span> <span class="pl-s1">exception</span>, <span class="pl-s1">another</span> <span class="pl-s1">exception</span> <span class="pl-s1">occurred</span>:
<span class="pl-v">AttributeError</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">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">wrapper</span>(<span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">847</span> <span class="pl-s1">try</span>:
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">848</span> <span class="pl-s1">return</span> <span class="pl-s1">self</span>.<span class="pl-en">_aggregate_item_by_item</span>(<span class="pl-s1">name</span>,
<span class="pl-c1">849</span> <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">__getattr__</span>(<span class="pl-s1">self</span>, <span class="pl-s1">attr</span>)
<span class="pl-c1">764</span> <span class="pl-s1">raise</span> <span class="pl-v">AttributeError</span>(<span class="pl-s">"%r object has no attribute %r"</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">765</span> (<span class="pl-en">type</span>(<span class="pl-s1">self</span>).<span class="pl-s1">__name__</span>, <span class="pl-s1">attr</span>))
<span class="pl-c1">766</span>
<span class="pl-v">AttributeError</span>: <span class="pl-s">'SeriesGroupBy'</span> <span class="pl-s1">object</span> <span class="pl-s1">has</span> <span class="pl-s1">no</span> <span class="pl-s1">attribute</span> <span class="pl-s">'_aggregate_item_by_item'</span>
<span class="pl-v">During</span> <span class="pl-s1">handling</span> <span class="pl-s1">of</span> <span class="pl-s1">the</span> <span class="pl-s1">above</span> <span class="pl-s1">exception</span>, <span class="pl-s1">another</span> <span class="pl-s1">exception</span> <span class="pl-s1">occurred</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"><</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">2</span><span class="pl-c1">-</span><span class="pl-c1">2e8</span><span class="pl-s1">f88f2b9dc</span><span class="pl-c1">></span> <span class="pl-c1">in</span> <span class="pl-c1"><</span><span class="pl-en">module</span><span class="pl-c1">></span>()
<span class="pl-c1">6</span> <span class="pl-s1">idx</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">MultiIndex</span>.<span class="pl-en">from_product</span>(<span class="pl-s1">iterables</span>, <span class="pl-s1">names</span><span class="pl-c1">=</span>[<span class="pl-s">'first'</span>, <span class="pl-s">'second'</span>])
<span class="pl-c1">7</span> <span class="pl-s1">s</span> <span class="pl-c1">=</span> <span class="pl-s1">pd</span>.<span class="pl-v">Series</span>(<span class="pl-s1">np</span>.<span class="pl-s1">random</span>.<span class="pl-en">randn</span>(<span class="pl-c1">20</span>), <span class="pl-s1">index</span><span class="pl-c1">=</span><span class="pl-s1">idx</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">8</span> <span class="pl-s1">s</span>.<span class="pl-en">groupby</span>(<span class="pl-s">'first'</span>).<span class="pl-en">nlargest</span>(<span class="pl-c1">1</span>)
<span class="pl-c1">~</span>\P<span class="pl-s1">rograms</span>\A<span class="pl-s1">naconda3</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">roupby</span>\g<span class="pl-s1">roupby</span>.<span class="pl-s1">py</span> <span class="pl-c1">in</span> <span class="pl-en">wrapper</span>(<span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">849</span> <span class="pl-c1">*</span><span class="pl-s1">args</span>, <span class="pl-c1">**</span><span class="pl-s1">kwargs</span>)
<span class="pl-c1">850</span> <span class="pl-en">except</span> (<span class="pl-v">AttributeError</span>):
<span class="pl-c1">-</span><span class="pl-c1">-</span><span class="pl-c1">></span> <span class="pl-c1">851</span> <span class="pl-s1">raise</span> <span class="pl-v">ValueError</span>
<span class="pl-c1">852</span>
<span class="pl-c1">853</span> <span class="pl-k">return</span> <span class="pl-s1">wrapper</span>
<span class="pl-v">ValueError</span>: </pre></div>
<h4 dir="auto">Expected Output</h4>
<p dir="auto">sample output from pandas 0.22.0 (Anaconda 5.1.0)</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="first first second
2018-01-01 2018-01-01 two 0.488124
2018-01-02 2018-01-02 one 0.884829
2018-01-03 2018-01-03 one 0.476739
2018-01-04 2018-01-04 two -0.375585
2018-01-05 2018-01-05 two 0.317667
2018-01-06 2018-01-06 two -1.067373
2018-01-07 2018-01-07 two 1.135441
2018-01-08 2018-01-08 two 0.808737
2018-01-09 2018-01-09 one 1.440924
2018-01-10 2018-01-10 one -0.204873
dtype: float64"><pre class="notranslate"><code class="notranslate">first first second
2018-01-01 2018-01-01 two 0.488124
2018-01-02 2018-01-02 one 0.884829
2018-01-03 2018-01-03 one 0.476739
2018-01-04 2018-01-04 two -0.375585
2018-01-05 2018-01-05 two 0.317667
2018-01-06 2018-01-06 two -1.067373
2018-01-07 2018-01-07 two 1.135441
2018-01-08 2018-01-08 two 0.808737
2018-01-09 2018-01-09 one 1.440924
2018-01-10 2018-01-10 one -0.204873
dtype: float64
</code></pre></div>
<h4 dir="auto">Output of <code class="notranslate">pd.show_versions()</code></h4>
<details>
<h2 dir="auto">INSTALLED VERSIONS</h2>
<p dir="auto">commit: None<br>
python: 3.6.5.final.0<br>
python-bits: 64<br>
OS: Windows<br>
OS-release: 10<br>
machine: AMD64<br>
processor: Intel64 Family 6 Model 78 Stepping 3, GenuineIntel<br>
byteorder: little<br>
LC_ALL: None<br>
LANG: zh_CN.UTF-8<br>
LOCALE: None.None</p>
<p dir="auto">pandas: 0.23.0<br>
pytest: 3.5.1<br>
pip: 10.0.1<br>
setuptools: 39.1.0<br>
Cython: 0.28.2<br>
numpy: 1.14.3<br>
scipy: 1.1.0<br>
pyarrow: None<br>
xarray: None<br>
IPython: 6.4.0<br>
sphinx: 1.7.4<br>
patsy: 0.5.0<br>
dateutil: 2.7.3<br>
pytz: 2018.4<br>
blosc: None<br>
bottleneck: 1.2.1<br>
tables: 3.4.3<br>
numexpr: 2.6.5<br>
feather: None<br>
matplotlib: 2.2.2<br>
openpyxl: 2.5.3<br>
xlrd: 1.1.0<br>
xlwt: 1.3.0<br>
xlsxwriter: 1.0.4<br>
lxml: 4.2.1<br>
bs4: 4.6.0<br>
html5lib: 1.0.1<br>
sqlalchemy: 1.2.7<br>
pymysql: 0.8.1<br>
psycopg2: None<br>
jinja2: 2.10<br>
s3fs: None<br>
fastparquet: None<br>
pandas_gbq: None<br>
pandas_datareader: None</p>
</details> | <p dir="auto">Related <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="16408869" data-permission-text="Title is private" data-url="https://github.com/pandas-dev/pandas/issues/4134" data-hovercard-type="issue" data-hovercard-url="/pandas-dev/pandas/issues/4134/hovercard" href="https://github.com/pandas-dev/pandas/issues/4134">#4134</a> and:</p>
<p dir="auto"><a href="http://stackoverflow.com/questions/18159675/python-pandas-change-duplicate-timestamp-to-unique/18162121#18162121" rel="nofollow">http://stackoverflow.com/questions/18159675/python-pandas-change-duplicate-timestamp-to-unique/18162121#18162121</a></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [81]: df = DataFrame(dict(time = [Timestamp('20130101 9:01'),Timestamp('20130101 9:02')]))"><pre class="notranslate"><code class="notranslate">In [81]: df = DataFrame(dict(time = [Timestamp('20130101 9:01'),Timestamp('20130101 9:02')]))
</code></pre></div>
<p dir="auto">This is buggy</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [82]: df.time + np.timedelta64(1,'ms')
Out[82]:
0 2013-01-01 09:01:00.000000001
1 2013-01-01 09:02:00.000000001
Name: time, dtype: datetime64[ns]
In [84]: df.time + np.timedelta64(1,'s')
Out[84]:
0 2013-01-01 09:01:00.000000001
1 2013-01-01 09:02:00.000000001
Name: time, dtype: datetime64[ns]"><pre class="notranslate"><code class="notranslate">In [82]: df.time + np.timedelta64(1,'ms')
Out[82]:
0 2013-01-01 09:01:00.000000001
1 2013-01-01 09:02:00.000000001
Name: time, dtype: datetime64[ns]
In [84]: df.time + np.timedelta64(1,'s')
Out[84]:
0 2013-01-01 09:01:00.000000001
1 2013-01-01 09:02:00.000000001
Name: time, dtype: datetime64[ns]
</code></pre></div>
<p dir="auto">Doesn't work</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [83]: df.time + pd.offsets.Milli(5)
ValueError: cannot operate on a series with out a rhs of a series/ndarray of type datetime64[ns] or a timedelta"><pre class="notranslate"><code class="notranslate">In [83]: df.time + pd.offsets.Milli(5)
ValueError: cannot operate on a series with out a rhs of a series/ndarray of type datetime64[ns] or a timedelta
</code></pre></div>
<p dir="auto">But this is ok</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [86]: df.time.apply(lambda x: x + pd.offsets.Milli(5))
Out[86]:
0 2013-01-01 09:01:00.005000
1 2013-01-01 09:02:00.005000
Name: time, dtype: datetime64[ns]"><pre class="notranslate"><code class="notranslate">In [86]: df.time.apply(lambda x: x + pd.offsets.Milli(5))
Out[86]:
0 2013-01-01 09:01:00.005000
1 2013-01-01 09:02:00.005000
Name: time, dtype: datetime64[ns]
</code></pre></div>
<p dir="auto">This is ok</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="In [85]: df.time + timedelta(seconds=1)
Out[85]:
0 2013-01-01 09:01:01
1 2013-01-01 09:02:01
Name: time, dtype: datetime64[ns]"><pre class="notranslate"><code class="notranslate">In [85]: df.time + timedelta(seconds=1)
Out[85]:
0 2013-01-01 09:01:01
1 2013-01-01 09:02:01
Name: time, dtype: datetime64[ns]
</code></pre></div> | 0 |
<pre class="notranslate">Create a simple http server setup with expvar:
import (
_ "expvar"
"http"
"log"
)
func main() {
err := http.ListenAndServe(":8888", nil)
if err != nil {
log.Fatal(err)
}
}
The output returned, however, are keys with json strings that need to be decoded from
json independently. This makes no sense. Take the case of passing the output of a curl
call through a json formatter:
$ curl -s <a href="http://localhost:8888/debug/vars" rel="nofollow">http://localhost:8888/debug/vars</a> | python -m json.tool
{
"cmdline": "[\"./t\"]",
"memstats": "{\n\t\"Alloc\": 666160,\n\t\"TotalAlloc\": 1115928,\n\t\"Sys\": 5110008,\n\t\"Lookups\": 185,\n\t\"Mallocs\": 14971,\n\t\"Frees\": 12158,\n\t\"HeapAlloc\": 657968,\n\t\"HeapSys\": 2097152,\n\t\"HeapIdle\": 0,\n\t\"HeapInuse\": 929792,\n\t\"HeapObjects\": 2583,\n\t\"StackInuse\": 20480,\n\t\"StackSys\": 131072,\n\t\"MSpanInuse\": 7272,\n\t\"MSpanSys\": 131072,\n\t\"MCacheInuse\": 3024,\n\t\"MCacheSys\": 131072,\n\t\"BuckHashSys\": 1439992,\n\t\"NextGC\": 1197808,\n\t\"PauseTotalNs\": 1195000,\n\t\"PauseNs\": [\n\t\t114000,\n\t\t230000,\n\t\t851000,\n\t\t0,\n\t\t0,\n\t\t0,\n\t\t0,\n\t\t0,\n\t\t0,\n\t\t0,\n\t\t0,\n\t\t0,\n\t\t0
....
Complete garbage, albiet valid.
I am using the latest weekly.
The expvar package is a great idea, but may need to updated a bit.</pre> | <p dir="auto">by <strong><a href="mailto:[email protected]">[email protected]</a></strong>:</p>
<pre class="notranslate">What steps will reproduce the problem?
If possible, include a link to a program on play.golang.org.
JSON decoding from scientific notation into an integer is not allowed by the JSON
decoder.
Here is an example:
<a href="http://play.golang.org/p/yS3YNvt8BB" rel="nofollow">http://play.golang.org/p/yS3YNvt8BB</a>
What is the expected output?
When decoding the JSON value 1e+06 into an int64, I'd expect decoding to succeed.
What do you see instead?
JSON Unmarshal() returns an error: "json: cannot unmarshal number 1e+06 into Go
value of type int64"
Which compiler are you using (5g, 6g, 8g, gccgo)?
6g (I think), this is amd64, not gccgo, using vanilla binaries from the tarball from
golang.org.
Which operating system are you using?
Ubuntu 13.04
Which version are you using? (run 'go version')
1.1.2
Please provide any additional information below.</pre> | 0 |
<p dir="auto">Hi there ,</p>
<p dir="auto">we are using node v10.16.0 and npm 6.10.1 on the server environment, we already put<br>
X11Forwarding yes in /etc/ssh/sshd_config file but still having the issue with electron starter app</p>
<p dir="auto">(electron:2310): Gtk-WARNING **: 14:47:14.095: cannot open display: 127.0.0.1<br>
npm ERR! code ELIFECYCLE<br>
npm ERR! errno 1<br>
npm ERR! [email protected] start: <code class="notranslate">electron --no-sandbox .</code><br>
npm ERR! Exit status 1<br>
npm ERR!<br>
npm ERR! Failed at the [email protected] start script.<br>
npm ERR! This is probably not a problem with npm. There is likely additional logging output above.</p>
<p dir="auto">please help me with the same</p> | <p dir="auto">Hi there,</p>
<p dir="auto">After installing with 'npm install'<br>
when I am hitting 'npm start' getting following errors,</p>
<p dir="auto">(electron:24247): Gtk-WARNING **: 11:56:48.745: cannot open display:<br>
npm ERR! code ELIFECYCLE<br>
npm ERR! errno 1<br>
npm ERR! [email protected] start: <code class="notranslate">electron --no-sandbox .</code><br>
npm ERR! Exit status 1<br>
npm ERR!<br>
npm ERR! Failed at the [email protected] start script.<br>
npm ERR! This is probably not a problem with npm. There is likely additional logging output above.</p>
<p dir="auto">Please help where i am wrong ?</p> | 1 |
<p dir="auto">I feel like I might be missing something obvious, but I'm having trouble running my statically exported Next.js app on a sub-folder. Or in other words, this is what I basically want to do:</p>
<ol dir="auto">
<li>Run <code class="notranslate">next build && next export -o dist</code> to create a <code class="notranslate"><proj_root>/dist</code> directory with my static bundle.</li>
<li>The user's browser requests should have the following behaviour:
<ul dir="auto">
<li><code class="notranslate">http://example.com/portal</code> will serve <code class="notranslate">/dist/index.html</code></li>
<li><code class="notranslate">http://example.com/portal/orders</code> will serve <code class="notranslate">/dist/orders/index.html</code></li>
<li>this tag: <code class="notranslate"><img src="/static/image.jpg" /></code> will serve up <code class="notranslate">/dist/static/image.jps</code></li>
</ul>
</li>
</ol>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/zeit/next.js/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h2 dir="auto">The problem</h2>
<p dir="auto">The problem with the naive approach is that the image request:</p>
<div class="highlight highlight-text-html-basic notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="<img src="/static/image.jpg" />"><pre class="notranslate"><span class="pl-kos"><</span><span class="pl-ent">img</span> <span class="pl-c1">src</span>="<span class="pl-s">/static/image.jpg</span>" /></pre></div>
<p dir="auto">will end up trying to make a request to:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="http://example.com/static/image.jpg"><pre class="notranslate"><code class="notranslate">http://example.com/static/image.jpg
</code></pre></div>
<p dir="auto">instead of:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="http://example.com/portal/static/image.jpg"><pre class="notranslate"><code class="notranslate">http://example.com/portal/static/image.jpg
</code></pre></div>
<h2 dir="auto"><code class="notranslate">assetPrefix</code></h2>
<p dir="auto">One way of making this work is to add the following to my <code class="notranslate">next.config.js</code> file:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="assetPrefix: isProd ? "/portal" : """><pre class="notranslate"><code class="notranslate">assetPrefix: isProd ? "/portal" : ""
</code></pre></div>
<p dir="auto">But this means that if the NGINX configuration ever changes, I'll have to update the <code class="notranslate">assetPrefix</code> and deploy accordingly.</p>
<p dir="auto">This seems like a cross-cutting concern to me, especially since I was under the impression that a static bundle should be exportable with relative paths that would make it work anywhere.</p>
<p dir="auto">The router (NGINX in this case) is supposed to do all the work, but alas I don't have much experience with NGINX (and on this project the client has not disclosed his <code class="notranslate">nginx.conf</code> to me).</p>
<h2 dir="auto">Finally</h2>
<p dir="auto">Of course, this would all be easily solved if we used <code class="notranslate">http://portal.example.com</code> instead of <code class="notranslate">http://example.com/portal</code>, but this is not something I have a say in.</p>
<p dir="auto">Is there a recipe for making this work? Perhaps an example <code class="notranslate">nginx.conf</code> that works for this use-case? Or is this something that <strong>must</strong> be set in the <code class="notranslate">assetPrefix</code>. As far as I'm aware, I thought the <code class="notranslate">assetPrefix</code> was for CDNs primarily, and not for this use-case.</p> | <h1 dir="auto">Feature request</h1>
<h2 dir="auto">Is your feature request related to a problem? Please describe.</h2>
<p dir="auto">In some use cases, we have to set meta tags with the same name (See <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="323869700" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/4407" data-hovercard-type="issue" data-hovercard-url="/vercel/next.js/issues/4407/hovercard" href="https://github.com/vercel/next.js/issues/4407">#4407</a> for an actual example of use case) . However, you cannot do that because of <code class="notranslate">next/head</code>'s duplication-filter feature.</p>
<p dir="auto">Although, thanks to <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="312126200" data-permission-text="Title is private" data-url="https://github.com/vercel/next.js/issues/4121" data-hovercard-type="pull_request" data-hovercard-url="/vercel/next.js/pull/4121/hovercard" href="https://github.com/vercel/next.js/pull/4121">#4121</a>, in the latest version of Next.js you can set multiple <code class="notranslate">article:tag</code> meta tag as long as they have unique keys, the tag name is hard-coded and you seem to have no way to add other meta tags to <code class="notranslate">ALLOWED_DUPLICATES</code>.</p>
<h2 dir="auto">Describe the solution you'd like</h2>
<p dir="auto">It would be great if users can explicitly specify meta tag names to be allowed (e.g. by configuring <code class="notranslate">next.config.js</code>) .</p>
<h2 dir="auto">Describe alternatives you've considered</h2>
<p dir="auto">Provide a way of whatever allow duplication (like specifying by environment variables) .</p>
<h2 dir="auto">Additional context</h2>
<p dir="auto">We are willing to send you a pull-request if the above concept is acceptable.</p> | 0 |
<p dir="auto">We are using EC2 auto-scaling. It turns out that our airflow machines are on the autoscaled EC2 instances, resulting in multiple machines launching schedulers with LocalExecutors. Is this a design pattern that is dangerous?</p>
<p dir="auto">We originally worked around this using EC2 "user-data" scripts that fire after an EC2 auto-scaled instances is launched -- the "user-data" script kills the scheduler processes. However, we suspect that some of these schedulers pick up duplicate work and execute them before they are killed.</p>
<p dir="auto">Hence, I am wondering how the scheduler with local executor works in a topology with schedulers running on multiple machines.</p> | <h3 dir="auto">Apache Airflow version</h3>
<p dir="auto">Other Airflow 2 version (please specify below)</p>
<h3 dir="auto">What happened</h3>
<p dir="auto">Airflow keeps polluting the postgres DB. I cannot understand what causes this but it happens in our cluster every 3/4 weeks.<br>
At some point the triggerer stops working and throw errors such as these:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Traceback (most recent call last):
File "/home/airflow/.local/bin/airflow", line 8, in <module>
sys.exit(main())
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/__main__.py", line 39, in main
args.func(args)
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/cli/cli_parser.py", line 52, in command
return func(*args, **kwargs)
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/utils/cli.py", line 108, in wrapper
return f(*args, **kwargs)
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/cli/commands/triggerer_command.py", line 61, in triggerer
job.run()
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/jobs/base_job.py", line 247, in run
self._execute()
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/jobs/triggerer_job.py", line 106, in _execute
self._run_trigger_loop()
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/jobs/triggerer_job.py", line 135, in _run_trigger_loop
self.heartbeat(only_if_necessary=True)
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/jobs/base_job.py", line 205, in heartbeat
previous_heartbeat = self.latest_heartbeat
File "/usr/local/lib/python3.7/contextlib.py", line 119, in __exit__
next(self.gen)
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/utils/session.py", line 36, in create_session
session.commit()
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/session.py", line 1451, in commit
self._transaction.commit(_to_root=self.future)
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/session.py", line 829, in commit
self._prepare_impl()
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/session.py", line 808, in _prepare_impl
self.session.flush()
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/session.py", line 3444, in flush
self._flush(objects)
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/session.py", line 3584, in _flush
transaction.rollback(_capture_exception=True)
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/util/langhelpers.py", line 72, in __exit__
with_traceback=exc_tb,
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/util/compat.py", line 210, in raise_
raise exception
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/session.py", line 3544, in _flush
flush_context.execute()
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/unitofwork.py", line 456, in execute
rec.execute(self)
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/unitofwork.py", line 633, in execute
uow,
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/persistence.py", line 250, in save_obj
insert,
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/persistence.py", line 1098, in _emit_insert_statements
statement, multiparams, execution_options=execution_options
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/engine/base.py", line 1705, in _execute_20
return meth(self, args_10style, kwargs_10style, execution_options)
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/sql/elements.py", line 335, in _execute_on_connection
self, multiparams, params, execution_options
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/engine/base.py", line 1582, in _execute_clauseelement
cache_hit=cache_hit,
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/engine/base.py", line 1944, in _execute_context
e, statement, parameters, cursor, context
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/engine/base.py", line 2125, in _handle_dbapi_exception
sqlalchemy_exception, with_traceback=exc_info[2], from_=e
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/util/compat.py", line 210, in raise_
raise exception
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/engine/base.py", line 1901, in _execute_context
cursor, statement, parameters, context
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/engine/default.py", line 736, in do_execute
cursor.execute(statement, parameters)
sqlalchemy.exc.IntegrityError: (psycopg2.errors.UniqueViolation) duplicate key value violates unique constraint "job_pkey"
DETAIL: Key (id)=(46430) already exists."><pre class="notranslate"><code class="notranslate">Traceback (most recent call last):
File "/home/airflow/.local/bin/airflow", line 8, in <module>
sys.exit(main())
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/__main__.py", line 39, in main
args.func(args)
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/cli/cli_parser.py", line 52, in command
return func(*args, **kwargs)
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/utils/cli.py", line 108, in wrapper
return f(*args, **kwargs)
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/cli/commands/triggerer_command.py", line 61, in triggerer
job.run()
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/jobs/base_job.py", line 247, in run
self._execute()
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/jobs/triggerer_job.py", line 106, in _execute
self._run_trigger_loop()
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/jobs/triggerer_job.py", line 135, in _run_trigger_loop
self.heartbeat(only_if_necessary=True)
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/jobs/base_job.py", line 205, in heartbeat
previous_heartbeat = self.latest_heartbeat
File "/usr/local/lib/python3.7/contextlib.py", line 119, in __exit__
next(self.gen)
File "/home/airflow/.local/lib/python3.7/site-packages/airflow/utils/session.py", line 36, in create_session
session.commit()
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/session.py", line 1451, in commit
self._transaction.commit(_to_root=self.future)
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/session.py", line 829, in commit
self._prepare_impl()
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/session.py", line 808, in _prepare_impl
self.session.flush()
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/session.py", line 3444, in flush
self._flush(objects)
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/session.py", line 3584, in _flush
transaction.rollback(_capture_exception=True)
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/util/langhelpers.py", line 72, in __exit__
with_traceback=exc_tb,
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/util/compat.py", line 210, in raise_
raise exception
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/session.py", line 3544, in _flush
flush_context.execute()
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/unitofwork.py", line 456, in execute
rec.execute(self)
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/unitofwork.py", line 633, in execute
uow,
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/persistence.py", line 250, in save_obj
insert,
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/orm/persistence.py", line 1098, in _emit_insert_statements
statement, multiparams, execution_options=execution_options
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/engine/base.py", line 1705, in _execute_20
return meth(self, args_10style, kwargs_10style, execution_options)
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/sql/elements.py", line 335, in _execute_on_connection
self, multiparams, params, execution_options
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/engine/base.py", line 1582, in _execute_clauseelement
cache_hit=cache_hit,
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/engine/base.py", line 1944, in _execute_context
e, statement, parameters, cursor, context
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/engine/base.py", line 2125, in _handle_dbapi_exception
sqlalchemy_exception, with_traceback=exc_info[2], from_=e
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/util/compat.py", line 210, in raise_
raise exception
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/engine/base.py", line 1901, in _execute_context
cursor, statement, parameters, context
File "/home/airflow/.local/lib/python3.7/site-packages/sqlalchemy/engine/default.py", line 736, in do_execute
cursor.execute(statement, parameters)
sqlalchemy.exc.IntegrityError: (psycopg2.errors.UniqueViolation) duplicate key value violates unique constraint "job_pkey"
DETAIL: Key (id)=(46430) already exists.
</code></pre></div>
<p dir="auto">I cannot understand what is causing it and it forces me to erase the DB every time to make it work again.</p>
<p dir="auto">Nothing changed on the DAGs at all, this was all working since 3 days ago and it just started failing on DB data. Any idea?</p>
<h3 dir="auto">What you think should happen instead</h3>
<p dir="auto"><em>No response</em></p>
<h3 dir="auto">How to reproduce</h3>
<p dir="auto">I don't know.</p>
<h3 dir="auto">Operating System</h3>
<p dir="auto">Ubuntu 20.04</p>
<h3 dir="auto">Versions of Apache Airflow Providers</h3>
<p dir="auto"><em>No response</em></p>
<h3 dir="auto">Deployment</h3>
<p dir="auto">Official Apache Airflow Helm Chart</p>
<h3 dir="auto">Deployment details</h3>
<p dir="auto">Deployed on Kubernetes, version 2.5<br>
6 replicas for each component<br>
db backend: postgres 15</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"> 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">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>
</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.</li>
</ul>
<h2 dir="auto">Optional Debugging Information</h2>
<ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have tried reproducing the issue on more than one version of the message<br>
broker and/or result backend.</li>
</ul>
<h2 dir="auto">Related Issues and Possible Duplicates</h2>
<h4 dir="auto">Related Issues</h4>
<ul dir="auto">
<li>None</li>
</ul>
<h4 dir="auto">Possible Duplicates</h4>
<ul dir="auto">
<li>None</li>
</ul>
<h2 dir="auto">Environment & Settings</h2>
<p dir="auto"><strong>Celery version</strong>: 4.2.0 (windowlicker)</p>
<details>
<summary><b><code class="notranslate">celery report</code> Output:</b></summary>
<p dir="auto">
</p><div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="software -> celery:4.2.0 (windowlicker) kombu:4.2.1 py:2.7.5
billiard:3.5.0.3 redis:2.10.6
platform -> system:Linux arch:64bit, ELF imp:CPython
loader -> celery.loaders.app.AppLoader
settings -> transport:redis results:redis://localhost:6543/
CELERY_ACCEPT_CONTENT: ['json']
BROKER_CONNECTION_RETRY: False
CELERY_IGNORE_RESULT: True
CELERY_DEFAULT_QUEUE: 'scheduler'
CELERY_TIMEZONE: 'UTC'
BROKER_URL: u'redis://localhost:6543//'
WORKER_MAX_MEMORY_PER_CHILD: 60000
CELERY_DISABLE_RATE_LIMITS: True
CELERYD_MAX_TASKS_PER_CHILD: 5000
BROKER_POOL_LIMIT: 50
CELERY_TASK_SERIALIZER: 'json'
CELERYD_WORKER_LOST_WAIT: 60.0
CELERY_DEFAULT_EXCHANGE: 'scheduler'
CELERY_QUEUES:
(<unbound Queue default -> <unbound Exchange default(direct)> -> default>,
<unbound Queue scheduler -> <unbound Exchange scheduler(direct)> -> scheduler>,
<unbound Queue volume_monitor -> <unbound Exchange volume_monitor(direct)> -> volume_monitor>)
CELERY_DEFAULT_ROUTING_KEY: u'********'
BROKER_HEARTBEAT: 600
CELERY_RESULT_BACKEND: u'redis://localhost:6543/'
BROKER_CONNECTION_TIMEOUT: 10
CELERY_ROUTES: {
'xxx.xxx.task.internal.engine.rollback_task': { 'queue': 'default',
'routing_key': u'********'},
'xxx.xxx.task.internal.engine.run_task': { 'queue': 'default',
'routing_key': u'********'}}
CELERY_REDIS_MAX_CONNECTIONS: 50
CELERYD_PREFETCH_MULTIPLIER: 0
BROKER_HEARTBEAT_CHECKRATE: 5.0
"><pre class="notranslate"><code class="notranslate">software -> celery:4.2.0 (windowlicker) kombu:4.2.1 py:2.7.5
billiard:3.5.0.3 redis:2.10.6
platform -> system:Linux arch:64bit, ELF imp:CPython
loader -> celery.loaders.app.AppLoader
settings -> transport:redis results:redis://localhost:6543/
CELERY_ACCEPT_CONTENT: ['json']
BROKER_CONNECTION_RETRY: False
CELERY_IGNORE_RESULT: True
CELERY_DEFAULT_QUEUE: 'scheduler'
CELERY_TIMEZONE: 'UTC'
BROKER_URL: u'redis://localhost:6543//'
WORKER_MAX_MEMORY_PER_CHILD: 60000
CELERY_DISABLE_RATE_LIMITS: True
CELERYD_MAX_TASKS_PER_CHILD: 5000
BROKER_POOL_LIMIT: 50
CELERY_TASK_SERIALIZER: 'json'
CELERYD_WORKER_LOST_WAIT: 60.0
CELERY_DEFAULT_EXCHANGE: 'scheduler'
CELERY_QUEUES:
(<unbound Queue default -> <unbound Exchange default(direct)> -> default>,
<unbound Queue scheduler -> <unbound Exchange scheduler(direct)> -> scheduler>,
<unbound Queue volume_monitor -> <unbound Exchange volume_monitor(direct)> -> volume_monitor>)
CELERY_DEFAULT_ROUTING_KEY: u'********'
BROKER_HEARTBEAT: 600
CELERY_RESULT_BACKEND: u'redis://localhost:6543/'
BROKER_CONNECTION_TIMEOUT: 10
CELERY_ROUTES: {
'xxx.xxx.task.internal.engine.rollback_task': { 'queue': 'default',
'routing_key': u'********'},
'xxx.xxx.task.internal.engine.run_task': { 'queue': 'default',
'routing_key': u'********'}}
CELERY_REDIS_MAX_CONNECTIONS: 50
CELERYD_PREFETCH_MULTIPLIER: 0
BROKER_HEARTBEAT_CHECKRATE: 5.0
</code></pre></div>
<p dir="auto"></p>
</details>
<h1 dir="auto">Steps to Reproduce</h1>
<h2 dir="auto">Required Dependencies</h2>
<ul dir="auto">
<li><strong>Minimal Python Version</strong>: 2.7.5</li>
<li><strong>Minimal Celery Version</strong>: 4.2.0 (windowlicker)</li>
<li><strong>Minimal Kombu Version</strong>: 4.2.1</li>
<li><strong>Minimal Broker Version</strong>: redis-2.8.21-1.el7.x86_64 and python-redis-2.10.6-1.noarch</li>
<li><strong>Minimal Result Backend Version</strong>: redis-2.8.21-1.el7.x86_64 and python-redis-2.10.6-1.noarch</li>
<li><strong>Minimal OS and/or Kernel Version</strong>: Linux version 3.10.0-514.44.5.10_136.x86_64</li>
</ul>
<h2 dir="auto">Minimally Reproducible Test Case</h2>
<p dir="auto"><strong>This my reproducible steps :</strong><br>
1.kill the process of celery beat ;</p>
<p dir="auto">2.run cmd '<strong>celery beat --detach -A xxx.xxx.task.internal.engine.app -s /var/run/celerybeat-schedule --max-interval=3 --pidfile=/xxx/xxx/test-beat.pid --logfile=/var/log/xxx/xxx/celery-beat.log --loglevel=DEBUG</strong>';</p>
<p dir="auto">3.check the result of celery beat process and celery-beat.log;</p>
<h1 dir="auto">Expected Behavior</h1>
<p dir="auto">Expected Behavior is celery beat process is running.</p>
<h1 dir="auto">Actual Behavior</h1>
<p dir="auto">Actual Behavior is celery beat can't start.</p>
<details>
<summary><b><code class="notranslate">celery-beat.log</code> Output:</b></summary>
<p dir="auto">
</p><div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[2019-03-29 09:33:13,302: DEBUG/MainProcess] Setting default socket timeout to 30
[2019-03-29 09:33:13,303: INFO/MainProcess] beat: Starting...
[2019-03-29 09:33:13,318: CRITICAL/MainProcess] beat raised exception <class 'bsddb.db.DBError'>: DBError(9, 'Bad file descriptor -- BDB0142 ftruncate: 16384: Bad file descriptor')
Traceback (most recent call last):
File "/usr/lib/python2.7/site-packages/celery/apps/beat.py", line 109, in start_scheduler
service.start()
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 579, in start
humanize_seconds(self.scheduler.max_interval))
File "/usr/lib/python2.7/site-packages/kombu/utils/objects.py", line 44, in __get__
value = obj.__dict__[self.__name__] = self.__get(obj)
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 623, in scheduler
return self.get_scheduler()
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 618, in get_scheduler
lazy=lazy,
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 458, in __init__
Scheduler.__init__(self, *args, **kwargs)
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 225, in __init__
self.setup_schedule()
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 508, in setup_schedule
self.sync()
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 544, in sync
self._store.sync()
File "/usr/lib64/python2.7/shelve.py", line 165, in sync
self[key] = entry
File "/usr/lib64/python2.7/shelve.py", line 133, in __setitem__
self.dict[key] = f.getvalue()
File "/usr/lib64/python2.7/bsddb/__init__.py", line 279, in __setitem__
_DeadlockWrap(wrapF) # self.db[key] = value
File "/usr/lib64/python2.7/bsddb/dbutils.py", line 68, in DeadlockWrap
return function(*_args, **_kwargs)
File "/usr/lib64/python2.7/bsddb/__init__.py", line 278, in wrapF
self.db[key] = value
DBError: (9, 'Bad file descriptor -- BDB0142 ftruncate: 16384: Bad file descriptor')
[2019-03-29 09:33:13,319: WARNING/MainProcess] Traceback (most recent call last):
[2019-03-29 09:33:13,320: WARNING/MainProcess] File "/bin/celery", line 9, in <module>
[2019-03-29 09:33:13,320: WARNING/MainProcess] load_entry_point('celery==4.2.0', 'console_scripts', 'celery')()
[2019-03-29 09:33:13,320: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/__main__.py", line 16, in main
[2019-03-29 09:33:13,320: WARNING/MainProcess] _main()
[2019-03-29 09:33:13,320: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/celery.py", line 322, in main
[2019-03-29 09:33:13,321: WARNING/MainProcess] cmd.execute_from_commandline(argv)
[2019-03-29 09:33:13,321: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/celery.py", line 496, in execute_from_commandline
[2019-03-29 09:33:13,321: WARNING/MainProcess] super(CeleryCommand, self).execute_from_commandline(argv)))
[2019-03-29 09:33:13,321: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/base.py", line 275, in execute_from_commandline
[2019-03-29 09:33:13,322: WARNING/MainProcess] return self.handle_argv(self.prog_name, argv[1:])
[2019-03-29 09:33:13,322: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/celery.py", line 488, in handle_argv
[2019-03-29 09:33:13,322: WARNING/MainProcess] return self.execute(command, argv)
[2019-03-29 09:33:13,322: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/celery.py", line 420, in execute
[2019-03-29 09:33:13,323: WARNING/MainProcess] ).run_from_argv(self.prog_name, argv[1:], command=argv[0])
[2019-03-29 09:33:13,323: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/base.py", line 279, in run_from_argv
[2019-03-29 09:33:13,323: WARNING/MainProcess] sys.argv if argv is None else argv, command)
[2019-03-29 09:33:13,323: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/base.py", line 363, in handle_argv
[2019-03-29 09:33:13,324: WARNING/MainProcess] return self(*args, **options)
[2019-03-29 09:33:13,324: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/base.py", line 238, in __call__
[2019-03-29 09:33:13,324: WARNING/MainProcess] ret = self.run(*args, **kwargs)
[2019-03-29 09:33:13,324: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/beat.py", line 107, in run
[2019-03-29 09:33:13,324: WARNING/MainProcess] return beat().run()
[2019-03-29 09:33:13,325: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/apps/beat.py", line 81, in run
[2019-03-29 09:33:13,325: WARNING/MainProcess] self.start_scheduler()
[2019-03-29 09:33:13,325: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/apps/beat.py", line 109, in start_scheduler
[2019-03-29 09:33:13,325: WARNING/MainProcess] service.start()
[2019-03-29 09:33:13,325: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 579, in start
[2019-03-29 09:33:13,326: WARNING/MainProcess] humanize_seconds(self.scheduler.max_interval))
[2019-03-29 09:33:13,326: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/kombu/utils/objects.py", line 44, in __get__
[2019-03-29 09:33:13,326: WARNING/MainProcess] value = obj.__dict__[self.__name__] = self.__get(obj)
[2019-03-29 09:33:13,326: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 623, in scheduler
[2019-03-29 09:33:13,327: WARNING/MainProcess] return self.get_scheduler()
[2019-03-29 09:33:13,327: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 618, in get_scheduler
[2019-03-29 09:33:13,327: WARNING/MainProcess] lazy=lazy,
[2019-03-29 09:33:13,327: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 458, in __init__
[2019-03-29 09:33:13,328: WARNING/MainProcess] Scheduler.__init__(self, *args, **kwargs)
[2019-03-29 09:33:13,328: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 225, in __init__
[2019-03-29 09:33:13,328: WARNING/MainProcess] self.setup_schedule()
[2019-03-29 09:33:13,328: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 508, in setup_schedule
[2019-03-29 09:33:13,329: WARNING/MainProcess] self.sync()
[2019-03-29 09:33:13,329: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 544, in sync
[2019-03-29 09:33:13,329: WARNING/MainProcess] self._store.sync()
[2019-03-29 09:33:13,330: WARNING/MainProcess] File "/usr/lib64/python2.7/shelve.py", line 165, in sync
[2019-03-29 09:33:13,330: WARNING/MainProcess] self[key] = entry
[2019-03-29 09:33:13,330: WARNING/MainProcess] File "/usr/lib64/python2.7/shelve.py", line 133, in __setitem__
[2019-03-29 09:33:13,330: WARNING/MainProcess] self.dict[key] = f.getvalue()
[2019-03-29 09:33:13,330: WARNING/MainProcess] File "/usr/lib64/python2.7/bsddb/__init__.py", line 279, in __setitem__
[2019-03-29 09:33:13,331: WARNING/MainProcess] _DeadlockWrap(wrapF) # self.db[key] = value
[2019-03-29 09:33:13,331: WARNING/MainProcess] File "/usr/lib64/python2.7/bsddb/dbutils.py", line 68, in DeadlockWrap
[2019-03-29 09:33:13,331: WARNING/MainProcess] return function(*_args, **_kwargs)
[2019-03-29 09:33:13,331: WARNING/MainProcess] File "/usr/lib64/python2.7/bsddb/__init__.py", line 278, in wrapF
[2019-03-29 09:33:13,332: WARNING/MainProcess] self.db[key] = value
[2019-03-29 09:33:13,332: WARNING/MainProcess] bsddb.db
[2019-03-29 09:33:13,332: WARNING/MainProcess] .
[2019-03-29 09:33:13,332: WARNING/MainProcess] DBError
[2019-03-29 09:33:13,332: WARNING/MainProcess] :
[2019-03-29 09:33:13,333: WARNING/MainProcess] (9, 'Bad file descriptor -- BDB0142 ftruncate: 16384: Bad file descriptor')
[2019-03-29 09:33:13,368: WARNING/MainProcess] Exception
[2019-03-29 09:33:13,368: WARNING/MainProcess] bsddb.db
[2019-03-29 09:33:13,369: WARNING/MainProcess] .
[2019-03-29 09:33:13,369: WARNING/MainProcess] DBError
[2019-03-29 09:33:13,369: WARNING/MainProcess] :
[2019-03-29 09:33:13,369: WARNING/MainProcess] DBError(29, 'Illegal seek -- BDB3027 /var/run/celerybeat-schedule: unable to flush page: 3')
[2019-03-29 09:33:13,369: WARNING/MainProcess] in
"><pre class="notranslate"><code class="notranslate">[2019-03-29 09:33:13,302: DEBUG/MainProcess] Setting default socket timeout to 30
[2019-03-29 09:33:13,303: INFO/MainProcess] beat: Starting...
[2019-03-29 09:33:13,318: CRITICAL/MainProcess] beat raised exception <class 'bsddb.db.DBError'>: DBError(9, 'Bad file descriptor -- BDB0142 ftruncate: 16384: Bad file descriptor')
Traceback (most recent call last):
File "/usr/lib/python2.7/site-packages/celery/apps/beat.py", line 109, in start_scheduler
service.start()
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 579, in start
humanize_seconds(self.scheduler.max_interval))
File "/usr/lib/python2.7/site-packages/kombu/utils/objects.py", line 44, in __get__
value = obj.__dict__[self.__name__] = self.__get(obj)
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 623, in scheduler
return self.get_scheduler()
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 618, in get_scheduler
lazy=lazy,
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 458, in __init__
Scheduler.__init__(self, *args, **kwargs)
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 225, in __init__
self.setup_schedule()
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 508, in setup_schedule
self.sync()
File "/usr/lib/python2.7/site-packages/celery/beat.py", line 544, in sync
self._store.sync()
File "/usr/lib64/python2.7/shelve.py", line 165, in sync
self[key] = entry
File "/usr/lib64/python2.7/shelve.py", line 133, in __setitem__
self.dict[key] = f.getvalue()
File "/usr/lib64/python2.7/bsddb/__init__.py", line 279, in __setitem__
_DeadlockWrap(wrapF) # self.db[key] = value
File "/usr/lib64/python2.7/bsddb/dbutils.py", line 68, in DeadlockWrap
return function(*_args, **_kwargs)
File "/usr/lib64/python2.7/bsddb/__init__.py", line 278, in wrapF
self.db[key] = value
DBError: (9, 'Bad file descriptor -- BDB0142 ftruncate: 16384: Bad file descriptor')
[2019-03-29 09:33:13,319: WARNING/MainProcess] Traceback (most recent call last):
[2019-03-29 09:33:13,320: WARNING/MainProcess] File "/bin/celery", line 9, in <module>
[2019-03-29 09:33:13,320: WARNING/MainProcess] load_entry_point('celery==4.2.0', 'console_scripts', 'celery')()
[2019-03-29 09:33:13,320: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/__main__.py", line 16, in main
[2019-03-29 09:33:13,320: WARNING/MainProcess] _main()
[2019-03-29 09:33:13,320: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/celery.py", line 322, in main
[2019-03-29 09:33:13,321: WARNING/MainProcess] cmd.execute_from_commandline(argv)
[2019-03-29 09:33:13,321: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/celery.py", line 496, in execute_from_commandline
[2019-03-29 09:33:13,321: WARNING/MainProcess] super(CeleryCommand, self).execute_from_commandline(argv)))
[2019-03-29 09:33:13,321: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/base.py", line 275, in execute_from_commandline
[2019-03-29 09:33:13,322: WARNING/MainProcess] return self.handle_argv(self.prog_name, argv[1:])
[2019-03-29 09:33:13,322: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/celery.py", line 488, in handle_argv
[2019-03-29 09:33:13,322: WARNING/MainProcess] return self.execute(command, argv)
[2019-03-29 09:33:13,322: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/celery.py", line 420, in execute
[2019-03-29 09:33:13,323: WARNING/MainProcess] ).run_from_argv(self.prog_name, argv[1:], command=argv[0])
[2019-03-29 09:33:13,323: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/base.py", line 279, in run_from_argv
[2019-03-29 09:33:13,323: WARNING/MainProcess] sys.argv if argv is None else argv, command)
[2019-03-29 09:33:13,323: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/base.py", line 363, in handle_argv
[2019-03-29 09:33:13,324: WARNING/MainProcess] return self(*args, **options)
[2019-03-29 09:33:13,324: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/base.py", line 238, in __call__
[2019-03-29 09:33:13,324: WARNING/MainProcess] ret = self.run(*args, **kwargs)
[2019-03-29 09:33:13,324: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/bin/beat.py", line 107, in run
[2019-03-29 09:33:13,324: WARNING/MainProcess] return beat().run()
[2019-03-29 09:33:13,325: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/apps/beat.py", line 81, in run
[2019-03-29 09:33:13,325: WARNING/MainProcess] self.start_scheduler()
[2019-03-29 09:33:13,325: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/apps/beat.py", line 109, in start_scheduler
[2019-03-29 09:33:13,325: WARNING/MainProcess] service.start()
[2019-03-29 09:33:13,325: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 579, in start
[2019-03-29 09:33:13,326: WARNING/MainProcess] humanize_seconds(self.scheduler.max_interval))
[2019-03-29 09:33:13,326: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/kombu/utils/objects.py", line 44, in __get__
[2019-03-29 09:33:13,326: WARNING/MainProcess] value = obj.__dict__[self.__name__] = self.__get(obj)
[2019-03-29 09:33:13,326: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 623, in scheduler
[2019-03-29 09:33:13,327: WARNING/MainProcess] return self.get_scheduler()
[2019-03-29 09:33:13,327: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 618, in get_scheduler
[2019-03-29 09:33:13,327: WARNING/MainProcess] lazy=lazy,
[2019-03-29 09:33:13,327: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 458, in __init__
[2019-03-29 09:33:13,328: WARNING/MainProcess] Scheduler.__init__(self, *args, **kwargs)
[2019-03-29 09:33:13,328: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 225, in __init__
[2019-03-29 09:33:13,328: WARNING/MainProcess] self.setup_schedule()
[2019-03-29 09:33:13,328: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 508, in setup_schedule
[2019-03-29 09:33:13,329: WARNING/MainProcess] self.sync()
[2019-03-29 09:33:13,329: WARNING/MainProcess] File "/usr/lib/python2.7/site-packages/celery/beat.py", line 544, in sync
[2019-03-29 09:33:13,329: WARNING/MainProcess] self._store.sync()
[2019-03-29 09:33:13,330: WARNING/MainProcess] File "/usr/lib64/python2.7/shelve.py", line 165, in sync
[2019-03-29 09:33:13,330: WARNING/MainProcess] self[key] = entry
[2019-03-29 09:33:13,330: WARNING/MainProcess] File "/usr/lib64/python2.7/shelve.py", line 133, in __setitem__
[2019-03-29 09:33:13,330: WARNING/MainProcess] self.dict[key] = f.getvalue()
[2019-03-29 09:33:13,330: WARNING/MainProcess] File "/usr/lib64/python2.7/bsddb/__init__.py", line 279, in __setitem__
[2019-03-29 09:33:13,331: WARNING/MainProcess] _DeadlockWrap(wrapF) # self.db[key] = value
[2019-03-29 09:33:13,331: WARNING/MainProcess] File "/usr/lib64/python2.7/bsddb/dbutils.py", line 68, in DeadlockWrap
[2019-03-29 09:33:13,331: WARNING/MainProcess] return function(*_args, **_kwargs)
[2019-03-29 09:33:13,331: WARNING/MainProcess] File "/usr/lib64/python2.7/bsddb/__init__.py", line 278, in wrapF
[2019-03-29 09:33:13,332: WARNING/MainProcess] self.db[key] = value
[2019-03-29 09:33:13,332: WARNING/MainProcess] bsddb.db
[2019-03-29 09:33:13,332: WARNING/MainProcess] .
[2019-03-29 09:33:13,332: WARNING/MainProcess] DBError
[2019-03-29 09:33:13,332: WARNING/MainProcess] :
[2019-03-29 09:33:13,333: WARNING/MainProcess] (9, 'Bad file descriptor -- BDB0142 ftruncate: 16384: Bad file descriptor')
[2019-03-29 09:33:13,368: WARNING/MainProcess] Exception
[2019-03-29 09:33:13,368: WARNING/MainProcess] bsddb.db
[2019-03-29 09:33:13,369: WARNING/MainProcess] .
[2019-03-29 09:33:13,369: WARNING/MainProcess] DBError
[2019-03-29 09:33:13,369: WARNING/MainProcess] :
[2019-03-29 09:33:13,369: WARNING/MainProcess] DBError(29, 'Illegal seek -- BDB3027 /var/run/celerybeat-schedule: unable to flush page: 3')
[2019-03-29 09:33:13,369: WARNING/MainProcess] in
</code></pre></div>
<p dir="auto"></p>
</details>
<p dir="auto"><strong>Extra try</strong></p>
<p dir="auto">But after I commented the following two lines of code in my parameter -A: xxx.xxx.task.internal.engine.py</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import celery.concurrency.prefork as celery_prefork
celery_prefork.process_destructor = process_destructor
app = Celery('tasks', backend='redis://localhost:6543', broker='redis://localhost:6543//')
app.conf.update(
CELERY_DEFAULT_QUEUE='xxx',
xxx
)
"><pre class="notranslate"><code class="notranslate">import celery.concurrency.prefork as celery_prefork
celery_prefork.process_destructor = process_destructor
app = Celery('tasks', backend='redis://localhost:6543', broker='redis://localhost:6543//')
app.conf.update(
CELERY_DEFAULT_QUEUE='xxx',
xxx
)
</code></pre></div>
<p dir="auto">and try to start celery beat , the celery beat start successfully.<br>
But I want keep two lines of code in -A proj to custom "celery.concurrency.prefork".<br>
I don't know why.<br>
And if I come back to the <code class="notranslate">4.1.0</code> branch of Celery, the problem does not appear.</p> | <p dir="auto">As a new celery user I cannot discern if celeryd should be ran with with both /etc/default/celeryd config AND Django settings.py, or one or the other? If just Django settings.py, how does the /etc/init.d/celeryd script know that it is there? If both, why are there duplicate settings? Or maybe /etc/default/celeryd isn't needed with django as the project claims it can pull everything from Django settings?</p>
<p dir="auto">None of the above questions are answered in the documentation. The documentation just sort of lays out options to try and I have to do each one experimentally and see if the result works or not.</p> | 0 |
<h2 dir="auto">Steps to Reproduce</h2>
<div class="highlight highlight-source-dart notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import 'dart:async';
import 'package:cloud_firestore/cloud_firestore.dart';
import 'package:flutter/material.dart';
import './Screens/home.dart';
Future query() async {
DocumentSnapshot result = await Firestore.instance.collection('dummydocs').document("doc1").get();
print("RESULT: " + result.data.toString());
}
void main() {
query();
runApp(new MyApp());
}
class MyApp extends StatelessWidget {
// This widget is the root of your application.
@override
Widget build(BuildContext context) {
return new MaterialApp(
title: 'Flutter Demo',
home: new Home(title:"Nothing Special"),
);
}
}"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s">'dart:async'</span>;
<span class="pl-k">import</span> <span class="pl-s">'package:cloud_firestore/cloud_firestore.dart'</span>;
<span class="pl-k">import</span> <span class="pl-s">'package:flutter/material.dart'</span>;
<span class="pl-k">import</span> <span class="pl-s">'./Screens/home.dart'</span>;
<span class="pl-c1">Future</span> <span class="pl-en">query</span>() <span class="pl-k">async</span> {
<span class="pl-c1">DocumentSnapshot</span> result <span class="pl-k">=</span> <span class="pl-k">await</span> <span class="pl-c1">Firestore</span>.instance.<span class="pl-en">collection</span>(<span class="pl-s">'dummydocs'</span>).<span class="pl-en">document</span>(<span class="pl-s">"doc1"</span>).<span class="pl-en">get</span>();
<span class="pl-en">print</span>(<span class="pl-s">"RESULT: "</span> <span class="pl-k">+</span> result.data.<span class="pl-en">toString</span>());
}
<span class="pl-k">void</span> <span class="pl-en">main</span>() {
<span class="pl-en">query</span>();
<span class="pl-en">runApp</span>(<span class="pl-k">new</span> <span class="pl-c1">MyApp</span>());
}
<span class="pl-k">class</span> <span class="pl-c1">MyApp</span> <span class="pl-k">extends</span> <span class="pl-c1">StatelessWidget</span> {
<span class="pl-c">// This widget is the root of your application.</span>
<span class="pl-k">@override</span>
<span class="pl-c1">Widget</span> <span class="pl-en">build</span>(<span class="pl-c1">BuildContext</span> context) {
<span class="pl-k">return</span> <span class="pl-k">new</span> <span class="pl-c1">MaterialApp</span>(
title<span class="pl-k">:</span> <span class="pl-s">'Flutter Demo'</span>,
home<span class="pl-k">:</span> <span class="pl-k">new</span> <span class="pl-c1">Home</span>(title<span class="pl-k">:</span><span class="pl-s">"Nothing Special"</span>),
);
}
}</pre></div>
<h2 dir="auto">Logs</h2>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="03-01 00:24:42.975 7906-7926/com.project E/flutter: [ERROR:topaz/lib/tonic/logging/dart_error.cc(16)] Unhandled exception:
type '_InternalLinkedHashMap' is not a subtype of type 'Map<String, dynamic>' where
_InternalLinkedHashMap is from dart:collection
Map is from dart:core
String is from dart:core
#0 DocumentReference.get (file:///home/tarcisio/.pub-cache/hosted/pub.dartlang.org/cloud_firestore-0.2.9/lib/src/document_reference.dart)
<asynchronous suspension>
#1 query (file:///home/tarcisio/AndroidStudioProjects/test_flutter/lib/main.dart:10:87)
<asynchronous suspension>
#2 main (file:///home/tarcisio/AndroidStudioProjects/test_flutter/lib/main.dart:15:3)
#3 _startIsolate.<anonymous closure> (dart:isolate/isolate_patch.dart:279:19)
#4 _RawReceivePortImpl._handleMessage (dart:isolate/isolate_patch.dart:165:12)"><pre class="notranslate"><code class="notranslate">03-01 00:24:42.975 7906-7926/com.project E/flutter: [ERROR:topaz/lib/tonic/logging/dart_error.cc(16)] Unhandled exception:
type '_InternalLinkedHashMap' is not a subtype of type 'Map<String, dynamic>' where
_InternalLinkedHashMap is from dart:collection
Map is from dart:core
String is from dart:core
#0 DocumentReference.get (file:///home/tarcisio/.pub-cache/hosted/pub.dartlang.org/cloud_firestore-0.2.9/lib/src/document_reference.dart)
<asynchronous suspension>
#1 query (file:///home/tarcisio/AndroidStudioProjects/test_flutter/lib/main.dart:10:87)
<asynchronous suspension>
#2 main (file:///home/tarcisio/AndroidStudioProjects/test_flutter/lib/main.dart:15:3)
#3 _startIsolate.<anonymous closure> (dart:isolate/isolate_patch.dart:279:19)
#4 _RawReceivePortImpl._handleMessage (dart:isolate/isolate_patch.dart:165:12)
</code></pre></div>
<p dir="auto">Run <code class="notranslate">flutter analyze</code> and attach any output of that command also.</p>
<h2 dir="auto">Flutter Doctor</h2>
<p dir="auto">-> No Issues found!</p> | <h2 dir="auto">Steps to Reproduce</h2>
<p dir="auto">I'm new to using Flutter / Dart, apologise in advance if this is something very basic. I've checked through all the documentation for the firebase database plugin and checked all the codelabs, this (what I deem simple) action is frustratingly hard to achieve.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="final DatabaseReference reference = FirebaseDatabase.instance.reference().child('/');
final DataSnapshot snapshot = await reference.once();
print(snapshot.value); // returns a JSON object in the console."><pre class="notranslate"><code class="notranslate">final DatabaseReference reference = FirebaseDatabase.instance.reference().child('/');
final DataSnapshot snapshot = await reference.once();
print(snapshot.value); // returns a JSON object in the console.
</code></pre></div>
<p dir="auto">How do I iterate over this value? I have tried to cast snapshot.value to a Map<String, String> and also tried snapshot.value.forEach (as in the <a href="https://firebase.google.com/docs/reference/js/firebase.database.DataSnapshot#forEach" rel="nofollow">docs</a>) but this isn't supported.</p>
<p dir="auto">The flutter logs are unfortunately also not very useful:</p>
<h2 dir="auto">Logs</h2>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Reloaded 1 of 446 libraries in 464ms.
[VERBOSE-2:dart_error.cc(16)] Unhandled exception:
NoSuchMethodError: Class '_InternalLinkedHashMap' has no instance method 'call'.
Receiver: _LinkedHashMap len:1
Tried calling: call()
#0 Object._noSuchMethod (dart:core-patch/object_patch.dart:42)
#1 Object.noSuchMethod (dart:core-patch/object_patch.dart:46)
#2 _MyHomePageState.printFirebaseData (/Users/gurmukh/Library/Developer/CoreSimulator/Devices/96A5FE84-FD46-4A01-884B-E38069E0671E/data/Containers/Data/Application/8A200DD5-9395-4CFB-9545-E6B1C96D7F82/tmp/cryptoporfolioxS4M60/cryptoporfolio/lib/main.dart:73:14)
<asynchronous suspension>
#3 _MyHomePageState.build (/Users/gurmukh/Library/Developer/CoreSimulator/Devices/96A5FE84-FD46-4A01-884B-E38069E0671E/data/Containers/Data/Application/8A200DD5-9395-4CFB-9545-E6B1C96D7F82/tmp/cryptoporfolioxS4M60/cryptoporfolio/lib/main.dart:79:5)
#4 StatefulElement.build (package:flutter/src/widgets/framework.dart:3624:27)
#5 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3534:15)
#6 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#7 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#8 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#9 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#10 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#11 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#12 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#13 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#14 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#15 StatelessElement.update (package:flutter/src/widgets/framework.dart:3596:5)
#16 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#17 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#18 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#19 RenderObjectElement.updateChildren (package:flutter/src/widgets/framework.dart:4250:32)
#20 MultiChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4631:17)
#21 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#22 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#23 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#24 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#25 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#26 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#27 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#28 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#29 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#30 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#31 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#32 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#33 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#34 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#35 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#36 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#37 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#38 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#39 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#40 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#41 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#42 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#43 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#44 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#45 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#46 StatelessElement.update (package:flutter/src/widgets/framework.dart:3596:5)
#47 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#48 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#49 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#50 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#51 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#52 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#53 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#54 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#55 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#56 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#57 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#58 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#59 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#60 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#61 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#62 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#63 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#64 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#65 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#66 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#67 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#68 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#69 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#70 RenderObjectElement.updateChildren (package:flutter/src/widgets/framework.dart:4250:32)
#71 MultiChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4631:17)
#72 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#73 _TheatreElement.update (package:flutter/src/widgets/overlay.dart:507:16)
#74 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#75 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#76 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#77 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#78 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#79 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#80 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#81 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#82 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#83 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#84 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#85 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#86 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#87 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#88 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#89 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#90 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#91 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#92 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#93 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#94 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#95 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#96 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#97 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#98 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#99 StatelessElement.update (package:flutter/src/widgets/framework.dart:3596:5)
#100 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#101 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#102 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#103 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#104 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#105 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#106 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#107 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#108 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#109 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#110 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#111 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#112 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#113 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#114 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#115 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#116 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#117 StatelessElement.update (package:flutter/src/widgets/framework.dart:3596:5)
#118 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#119 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#120 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#121 StatelessElement.update (package:flutter/src/widgets/framework.dart:3596:5)
#122 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#123 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#124 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#125 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#126 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#127 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#128 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#129 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#130 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#131 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#132 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#133 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#134 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#135 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#136 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#137 StatelessElement.update (package:flutter/src/widgets/framework.dart:3596:5)
#138 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#139 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#140 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#141 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#142 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#143 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#144 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#145 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#146 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#147 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#148 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#149 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#150 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#151 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#152 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#153 BuildOwner.buildScope (package:flutter/src/widgets/framework.dart:2260:33)
#154 BindingBase&SchedulerBinding&GestureBinding&ServicesBinding&RendererBinding&WidgetsBinding.drawFrame (package:flutter/src/widgets/binding.dart:503:20)
#155 BindingBase&SchedulerBinding&GestureBinding&ServicesBinding&RendererBinding._handlePersistentFrameCallback (package:flutter/src/rendering/binding.dart:189:5)
#156 BindingBase&SchedulerBinding._invokeFrameCallback (package:flutter/src/scheduler/binding.dart:695:15)
#157 BindingBase&SchedulerBinding.handleDrawFrame (package:flutter/src/scheduler/binding.dart:643:9)
#158 BindingBase&SchedulerBinding&GestureBinding&ServicesBinding&RendererBinding.scheduleWarmUpFrame.<anonymous closure> (package:flutter/src/rendering/binding.dart:275:20)
#159 Timer._createTimer.<anonymous closure> (dart:async-patch/timer_patch.dart:21)
#160 _Timer._runTimers (dart:isolate-patch/timer_impl.dart:366)
#161 _Timer._handleMessage (dart:isolate-patch/timer_impl.dart:394)
#162 _RawReceivePortImpl._handleMessage (dart:isolate-patch/isolate_patch.dart:151)
"><pre class="notranslate"><code class="notranslate">Reloaded 1 of 446 libraries in 464ms.
[VERBOSE-2:dart_error.cc(16)] Unhandled exception:
NoSuchMethodError: Class '_InternalLinkedHashMap' has no instance method 'call'.
Receiver: _LinkedHashMap len:1
Tried calling: call()
#0 Object._noSuchMethod (dart:core-patch/object_patch.dart:42)
#1 Object.noSuchMethod (dart:core-patch/object_patch.dart:46)
#2 _MyHomePageState.printFirebaseData (/Users/gurmukh/Library/Developer/CoreSimulator/Devices/96A5FE84-FD46-4A01-884B-E38069E0671E/data/Containers/Data/Application/8A200DD5-9395-4CFB-9545-E6B1C96D7F82/tmp/cryptoporfolioxS4M60/cryptoporfolio/lib/main.dart:73:14)
<asynchronous suspension>
#3 _MyHomePageState.build (/Users/gurmukh/Library/Developer/CoreSimulator/Devices/96A5FE84-FD46-4A01-884B-E38069E0671E/data/Containers/Data/Application/8A200DD5-9395-4CFB-9545-E6B1C96D7F82/tmp/cryptoporfolioxS4M60/cryptoporfolio/lib/main.dart:79:5)
#4 StatefulElement.build (package:flutter/src/widgets/framework.dart:3624:27)
#5 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3534:15)
#6 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#7 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#8 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#9 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#10 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#11 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#12 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#13 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#14 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#15 StatelessElement.update (package:flutter/src/widgets/framework.dart:3596:5)
#16 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#17 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#18 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#19 RenderObjectElement.updateChildren (package:flutter/src/widgets/framework.dart:4250:32)
#20 MultiChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4631:17)
#21 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#22 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#23 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#24 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#25 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#26 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#27 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#28 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#29 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#30 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#31 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#32 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#33 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#34 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#35 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#36 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#37 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#38 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#39 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#40 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#41 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#42 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#43 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#44 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#45 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#46 StatelessElement.update (package:flutter/src/widgets/framework.dart:3596:5)
#47 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#48 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#49 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#50 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#51 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#52 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#53 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#54 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#55 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#56 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#57 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#58 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#59 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#60 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#61 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#62 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#63 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#64 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#65 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#66 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#67 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#68 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#69 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#70 RenderObjectElement.updateChildren (package:flutter/src/widgets/framework.dart:4250:32)
#71 MultiChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4631:17)
#72 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#73 _TheatreElement.update (package:flutter/src/widgets/overlay.dart:507:16)
#74 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#75 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#76 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#77 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#78 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#79 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#80 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#81 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#82 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#83 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#84 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#85 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#86 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#87 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#88 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#89 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#90 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#91 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#92 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#93 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#94 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#95 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#96 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#97 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#98 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#99 StatelessElement.update (package:flutter/src/widgets/framework.dart:3596:5)
#100 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#101 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#102 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#103 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#104 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#105 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#106 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#107 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#108 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#109 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#110 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#111 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#112 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#113 SingleChildRenderObjectElement.update (package:flutter/src/widgets/framework.dart:4523:14)
#114 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#115 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#116 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#117 StatelessElement.update (package:flutter/src/widgets/framework.dart:3596:5)
#118 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#119 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#120 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#121 StatelessElement.update (package:flutter/src/widgets/framework.dart:3596:5)
#122 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#123 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#124 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#125 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#126 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#127 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#128 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#129 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#130 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#131 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#132 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#133 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#134 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#135 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#136 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#137 StatelessElement.update (package:flutter/src/widgets/framework.dart:3596:5)
#138 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#139 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#140 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#141 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#142 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#143 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#144 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#145 ProxyElement.update (package:flutter/src/widgets/framework.dart:3781:5)
#146 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#147 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#148 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#149 StatefulElement.update (package:flutter/src/widgets/framework.dart:3671:5)
#150 Element.updateChild (package:flutter/src/widgets/framework.dart:2674:15)
#151 ComponentElement.performRebuild (package:flutter/src/widgets/framework.dart:3546:16)
#152 Element.rebuild (package:flutter/src/widgets/framework.dart:3435:5)
#153 BuildOwner.buildScope (package:flutter/src/widgets/framework.dart:2260:33)
#154 BindingBase&SchedulerBinding&GestureBinding&ServicesBinding&RendererBinding&WidgetsBinding.drawFrame (package:flutter/src/widgets/binding.dart:503:20)
#155 BindingBase&SchedulerBinding&GestureBinding&ServicesBinding&RendererBinding._handlePersistentFrameCallback (package:flutter/src/rendering/binding.dart:189:5)
#156 BindingBase&SchedulerBinding._invokeFrameCallback (package:flutter/src/scheduler/binding.dart:695:15)
#157 BindingBase&SchedulerBinding.handleDrawFrame (package:flutter/src/scheduler/binding.dart:643:9)
#158 BindingBase&SchedulerBinding&GestureBinding&ServicesBinding&RendererBinding.scheduleWarmUpFrame.<anonymous closure> (package:flutter/src/rendering/binding.dart:275:20)
#159 Timer._createTimer.<anonymous closure> (dart:async-patch/timer_patch.dart:21)
#160 _Timer._runTimers (dart:isolate-patch/timer_impl.dart:366)
#161 _Timer._handleMessage (dart:isolate-patch/timer_impl.dart:394)
#162 _RawReceivePortImpl._handleMessage (dart:isolate-patch/isolate_patch.dart:151)
</code></pre></div> | 1 |
<p dir="auto"><strong>Bug Report</strong><br>
Which version of ShardingSphere did you use?<br>
5.0.0</p>
<p dir="auto">Which project did you use? ShardingSphere-JDBC or ShardingSphere-Proxy?<br>
ShardingSphere-JDBC</p>
<p dir="auto">Expected behavior<br>
[insert into t_pipeline_info (PIPELINE_ID, PROJECT_ID, PIPELINE_NAME, PIPELINE_DESC) values (?, ?, ?, ?) on duplicate key update t_pipeline_info.PIPELINE_DESC = ?]<br>
can be converted into<br>
[insert into t_pipeline_info_0 (PIPELINE_ID, PROJECT_ID, PIPELINE_NAME, PIPELINE_DESC) values (?, ?, ?, ?) on duplicate key update t_pipeline_info_0.PIPELINE_DESC = ?]</p>
<p dir="auto">Actual behavior<br>
converted to [insert into <strong>t_pipeline_info_0</strong> (PIPELINE_ID, PROJECT_ID, PIPELINE_NAME, PIPELINE_DESC) values (?, ?, ?, ?) on duplicate key update <strong>t_pipeline_info</strong>.PIPELINE_DESC = ?]</p>
<p dir="auto"><strong>The error message is as follows:</strong><br>
2022-04-29 11:45:55.634|biz-6f32770874f04555a58353f335304281||SQLLogger.java|74|INFO||||||[XNIO-1 task-1] Logic SQL: insert into t_pipeline_info (PIPELINE_ID, PROJECT_ID, PIPELINE_NAME, PIPELINE_DESC) values (?, ?, ?, ?) on duplicate key update t_pipeline_info.PIPELINE_DESC = ?<br>
2022-04-29 11:45:55.634|biz-6f32770874f04555a58353f335304281||SQLLogger.java|74|INFO||||||[XNIO-1 task-1] SQLStatement: MySQLInsertStatement(setAssignment=Optional.empty, onDuplicateKeyColumns=Optional[org.apache.shardingsphere.sql.parser.sql.common.segment.dml.column.OnDuplicateKeyColumnsSegment@4e2038b4])<br>
2022-04-29 11:45:55.634|biz-6f32770874f04555a58353f335304281||SQLLogger.java|74|INFO||||||[XNIO-1 task-1] Actual SQL: ds_0 ::: insert into t_pipeline_info_0 (PIPELINE_ID, PROJECT_ID, PIPELINE_NAME, PIPELINE_DESC) values (?, ?, ?, ?) on duplicate key update t_pipeline_info.PIPELINE_DESC = ? ::: [p-17bd8ac017dsfsd1f, devops0, bnmvvv123dsfdf, 232323yui, 232323yui]<br>
2022-04-29 11:45:55.669|biz-6f32770874f04555a58353f335304281||RuntimeExceptionMapper.kt|47|ERROR||||||[XNIO-1 task-1] Failed with runtime exception org.jooq.exception.DataAccessException: SQL [insert into t_pipeline_info (PIPELINE_ID, PROJECT_ID, PIPELINE_NAME, PIPELINE_DESC) values (?, ?, ?, ?) on duplicate key update t_pipeline_info.PIPELINE_DESC = ?]; Unknown column 't_pipeline_info.PIPELINE_DESC' in 'field list'<br>
at org.jooq_3.14.7.MYSQL.debug(Unknown Source)<br>
at org.jooq.impl.Tools.translate(Tools.java:2880)</p> | <p dir="auto">Add API for configuring whether ShardingSphere cache the metadata of the same sharding tables at startup.</p>
<h3 dir="auto">Question</h3>
<p dir="auto">Many users will pay more attention on performance at startup, and the metadata of the sharding-tables are mostly the same. So add a cache can reduce startup time.</p>
<p dir="auto">Therefore we will add API to make user decide to cache metatata or not.</p> | 0 |
<p dir="auto">In wells.less file the classes are '.well-large' and '.well-small'<br>
Docs says '.well-sm' and '.well-lg'</p> | <p dir="auto">To increase/decrease the size of form controls, you can add the classes input-lg or input-sm (at least according to the website [http://getbootstrap.com/css/#forms] - which is the most consistent solution). In the css code, however, the classes are called input-large and input-small.</p> | 1 |
<h3 dir="auto">Version</h3>
<p dir="auto">2.6.10</p>
<h3 dir="auto">Reproduction link</h3>
<p dir="auto"><a href="https://github.com/gr8den/vue-select-memory-leak/blob/master/vue-select-memory-leak.html">https://github.com/gr8den/vue-select-memory-leak/blob/master/vue-select-memory-leak.html</a></p>
<h3 dir="auto">Steps to reproduce</h3>
<ol dir="auto">
<li>Open vue-select-memory-leak.html from repo (I use Google Chrome 74.0.3729.157)</li>
<li>Open Chrome DevTools on this page</li>
<li>Go to page Performance, enable Memory checkbox</li>
<li>Start Record, click Collect garbage</li>
<li>Click Toggle button multiple times (I clicking 50 seconds, multiple times in second)</li>
<li>Click Collect garbage, click Stop record</li>
<li>See nodes leak on Memory chart - count of nodes not decreased after Collecting garbage (in my case nodes increased from 50 to ~2500)</li>
</ol>
<h3 dir="auto">What is expected?</h3>
<p dir="auto">No memory leak - Count of nodes must be decrease after force collect garbage</p>
<h3 dir="auto">What is actually happening?</h3>
<p dir="auto">Have memory leak (DOM)</p>
<hr>
<p dir="auto">I try replace "select" element to "input" element and after it DOM nodes cleaned right (no leak). Also I try add 10000 options to select, browser still not clean nodes, but use a lot of RAM</p> | <h3 dir="auto">Version</h3>
<p dir="auto">2.6.14</p>
<h3 dir="auto">Reproduction link</h3>
<p dir="auto"><a href="http://CannotProvide-SeeNotes.cant" rel="nofollow">http://CannotProvide-SeeNotes.cant</a></p>
<h3 dir="auto">Steps to reproduce</h3>
<p dir="auto">Set up a new component.</p>
<p dir="auto">Create the template, include at least one element that has the class attribute as well as a v-bind for class.</p>
<p dir="auto">The bound classes should come from a locally declared variable, that variable must be set during created() (In this instance the classes come from an API).</p>
<p dir="auto">Use the newly created component twice on the page. In this instance its a wrapper component for child components. all matching components of the same name will have the classes duplicated as many times as they exist on the page.</p>
<p dir="auto">Expected results, class="" should contain the initial class(es) and the bound ones.<br>
Actual results, class="" contains the initial class(es) and the bound class(es) duplicated.</p>
<p dir="auto">My component (there is wider logic in use but the important bit is to bind classes and reuse the component multiple times):</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="<template>
<div class="row m-0" :class="classes">
<component v-bind:props="pageComponent.props" :componentData="pageComponent" :components="pageComponent.components" :class="pageComponent.classes" :is="pageComponent.name" :fixedWidth="pageComponent.fixedWidth" v-for="(pageComponent, index) in pageComponents" :key="index"></component>
</div>
</template>
<script>
function initialState (){
return {
pageComponents: '',
classes: '',
}
}
export default {
name: 'RowWrapper',
props : [
'props',
'components',
'componentData'
],
data: function () {
return initialState();
},
watch: {
$route (to, from){
this.resetWindow();
},
components (to, from){
this.pageComponents = to;
}
},
methods: {
getComponents() {
this.pageComponents = this.components;
},
resetWindow: function (){
Object.assign(this.$data, initialState());
},
},
created(){
this.getComponents();
if(this.componentData){
this.classes = this.componentData.classes;
}
}
};
</script>
<style lang="scss">
</style>"><pre class="notranslate"><code class="notranslate"><template>
<div class="row m-0" :class="classes">
<component v-bind:props="pageComponent.props" :componentData="pageComponent" :components="pageComponent.components" :class="pageComponent.classes" :is="pageComponent.name" :fixedWidth="pageComponent.fixedWidth" v-for="(pageComponent, index) in pageComponents" :key="index"></component>
</div>
</template>
<script>
function initialState (){
return {
pageComponents: '',
classes: '',
}
}
export default {
name: 'RowWrapper',
props : [
'props',
'components',
'componentData'
],
data: function () {
return initialState();
},
watch: {
$route (to, from){
this.resetWindow();
},
components (to, from){
this.pageComponents = to;
}
},
methods: {
getComponents() {
this.pageComponents = this.components;
},
resetWindow: function (){
Object.assign(this.$data, initialState());
},
},
created(){
this.getComponents();
if(this.componentData){
this.classes = this.componentData.classes;
}
}
};
</script>
<style lang="scss">
</style>
</code></pre></div>
<h3 dir="auto">What is expected?</h3>
<p dir="auto">Bound classes to be merged with class attribute correctly for each component. Instead they are duplicated for as many instances of the same component that exist on the page.</p>
<p dir="auto">should be:</p>
<p dir="auto">class="row m-0 col-md-6 col-sm-12"</p>
<h3 dir="auto">What is actually happening?</h3>
<p dir="auto">class is in fact set to the following when 2 of the same components exist.</p>
<p dir="auto">class="row m-0 col-md-6 col-sm-12 col-md-6 col-sm-12"</p>
<hr>
<p dir="auto">None of the code testing areas seem to allow me to declare multiple components for testing, so none provided.</p>
<p dir="auto">I have seen a few of these posted where classes are appended, however I believe that in this instance this is a real world situation where VueJS is acting incorrectly.</p> | 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: 2.7.8</li>
<li>Operating System version: window 7</li>
<li>Java version: 1.8.0_261</li>
</ul>
<h3 dir="auto">Steps to reproduce this issue</h3>
<ol dir="auto">
<li>User Proxy to create new instance of any interface</li>
<li>System full GC</li>
<li>Check PermSpace unuse size</li>
</ol>
<p dir="auto">Pls. provide [GitHub address] to reproduce this issue.</p>
<h3 dir="auto">Expected Result</h3>
<p dir="auto">PermSpace used size will no increase<br>
永久区使用空间不会明显增长</p>
<p dir="auto">What do you expected from the above steps?</p>
<h3 dir="auto">Actual Result</h3>
<p dir="auto">PermSpace used size will increase after very Full GC, which cause a OutOfMemoryError [PermSpace]<br>
永久区使用空间在每次full GC之后都会有所增加,直到永久区内存溢出。</p>
<p dir="auto">If there is an exception, please attach the exception trace:<br>
java.lang.RuntimeException: by java.lang.OutOfMemoryError: PermGen space</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Just put your stack trace here!"><pre class="notranslate"><code class="notranslate">Just put your stack trace here!
</code></pre></div>
<p dir="auto">java.lang.RuntimeException: by java.lang.OutOfMemoryError: PermGen space</p> | <ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/apache/dubbo/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/apache/dubbo/blob/master/FAQ.md">FAQ</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h3 dir="auto">Environment</h3>
<ul dir="auto">
<li>Dubbo version: 2.7.3</li>
<li>Operating System version: macos</li>
<li>Java version: 1.8</li>
</ul>
<h3 dir="auto">Steps to reproduce this issue</h3>
<p dir="auto">1.api</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="public interface DemoService {
String sayHello(@NotNull(message = "not null") String name);
}"><pre class="notranslate"><code class="notranslate">public interface DemoService {
String sayHello(@NotNull(message = "not null") String name);
}
</code></pre></div>
<ol dir="auto">
<li>Provider开启validation</li>
</ol>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="public static void main(String[] args) throws Exception {
ServiceConfig<DemoServiceImpl> service = new ServiceConfig<>();
service.setApplication(new ApplicationConfig("dubbo-demo-api-provider"));
service.setRegistry(new RegistryConfig("zookeeper://127.0.0.1:2181"));
service.setInterface(DemoService.class);
service.setRef(new DemoServiceImpl());
service.setValidation("true");
service.export();
System.in.read();
}"><pre class="notranslate"><code class="notranslate">public static void main(String[] args) throws Exception {
ServiceConfig<DemoServiceImpl> service = new ServiceConfig<>();
service.setApplication(new ApplicationConfig("dubbo-demo-api-provider"));
service.setRegistry(new RegistryConfig("zookeeper://127.0.0.1:2181"));
service.setInterface(DemoService.class);
service.setRef(new DemoServiceImpl());
service.setValidation("true");
service.export();
System.in.read();
}
</code></pre></div>
<ol start="2" dir="auto">
<li>Consumer 发起调用</li>
</ol>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="public static void main(String[] args) {
ReferenceConfig<DemoService> reference = new ReferenceConfig<>();
reference.setApplication(new ApplicationConfig("dubbo-demo-api-consumer"));
reference.setRegistry(new RegistryConfig("zookeeper://127.0.0.1:2181"));
reference.setInterface(DemoService.class);
DemoService service = reference.get();
String message = service.sayHello(null);
System.out.println(message);
}"><pre class="notranslate"><code class="notranslate">public static void main(String[] args) {
ReferenceConfig<DemoService> reference = new ReferenceConfig<>();
reference.setApplication(new ApplicationConfig("dubbo-demo-api-consumer"));
reference.setRegistry(new RegistryConfig("zookeeper://127.0.0.1:2181"));
reference.setInterface(DemoService.class);
DemoService service = reference.get();
String message = service.sayHello(null);
System.out.println(message);
}
</code></pre></div>
<ol start="3" dir="auto">
<li>Provider ValidationFilter抛出javax.validation.ConstraintViolationException</li>
<li>ExceptionFilter 未对以javax开头的异常进行处理<br>
5.ConstraintViolationException序列化异常</li>
</ol>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="java.lang.RuntimeException: Serialized class org.apache.dubbo.demo.DemoService_SayHelloParameter_java.lang.String must implement java.io.Serializable
Java field: private final java.lang.Object org.hibernate.validator.internal.engine.ConstraintViolationImpl.leafBeanInstance
Java field: private final java.util.Set javax.validation.ConstraintViolationException.constraintViolations
at com.alibaba.com.caucho.hessian.io.JavaSerializer$FieldSerializer.serialize(JavaSerializer.java:304)
at com.alibaba.com.caucho.hessian.io.JavaSerializer.writeInstance(JavaSerializer.java:284)
at com.alibaba.com.caucho.hessian.io.JavaSerializer.writeObject(JavaSerializer.java:251)
at com.alibaba.com.caucho.hessian.io.ThrowableSerializer.writeObject(ThrowableSerializer.java:68)
at com.alibaba.com.caucho.hessian.io.Hessian2Output.writeObject(Hessian2Output.java:391)
at org.apache.dubbo.common.serialize.hessian2.Hessian2ObjectOutput.writeObject(Hessian2ObjectOutput.java:89)
at org.apache.dubbo.rpc.protocol.dubbo.DubboCodec.encodeResponseData(DubboCodec.java:208)
at org.apache.dubbo.remoting.exchange.codec.ExchangeCodec.encodeResponse(ExchangeCodec.java:283)
at org.apache.dubbo.remoting.exchange.codec.ExchangeCodec.encode(ExchangeCodec.java:71)
at org.apache.dubbo.rpc.protocol.dubbo.DubboCountCodec.encode(DubboCountCodec.java:40)
at org.apache.dubbo.remoting.transport.netty4.NettyCodecAdapter$InternalEncoder.encode(NettyCodecAdapter.java:70)
at io.netty.handler.codec.MessageToByteEncoder.write(MessageToByteEncoder.java:107)
at io.netty.channel.AbstractChannelHandlerContext.invokeWrite0(AbstractChannelHandlerContext.java:738)
at io.netty.channel.AbstractChannelHandlerContext.invokeWrite(AbstractChannelHandlerContext.java:730)
at io.netty.channel.AbstractChannelHandlerContext.write(AbstractChannelHandlerContext.java:816)
at io.netty.channel.AbstractChannelHandlerContext.write(AbstractChannelHandlerContext.java:723)
at io.netty.handler.timeout.IdleStateHandler.write(IdleStateHandler.java:302)
at io.netty.channel.AbstractChannelHandlerContext.invokeWrite0(AbstractChannelHandlerContext.java:738)
at io.netty.channel.AbstractChannelHandlerContext.invokeWrite(AbstractChannelHandlerContext.java:730)
at io.netty.channel.AbstractChannelHandlerContext.write(AbstractChannelHandlerContext.java:816)
at io.netty.channel.AbstractChannelHandlerContext.write(AbstractChannelHandlerContext.java:723)
at io.netty.channel.ChannelDuplexHandler.write(ChannelDuplexHandler.java:106)
at org.apache.dubbo.remoting.transport.netty4.NettyServerHandler.write(NettyServerHandler.java:103)
at io.netty.channel.AbstractChannelHandlerContext.invokeWrite0(AbstractChannelHandlerContext.java:738)
at io.netty.channel.AbstractChannelHandlerContext.invokeWrite(AbstractChannelHandlerContext.java:730)
at io.netty.channel.AbstractChannelHandlerContext.access$1900(AbstractChannelHandlerContext.java:38)
at io.netty.channel.AbstractChannelHandlerContext$AbstractWriteTask.write(AbstractChannelHandlerContext.java:1081)
at io.netty.channel.AbstractChannelHandlerContext$WriteAndFlushTask.write(AbstractChannelHandlerContext.java:1128)
at io.netty.channel.AbstractChannelHandlerContext$AbstractWriteTask.run(AbstractChannelHandlerContext.java:1070)
at io.netty.util.concurrent.AbstractEventExecutor.safeExecute$$$capture(AbstractEventExecutor.java:163)
at io.netty.util.concurrent.AbstractEventExecutor.safeExecute(AbstractEventExecutor.java)
at io.netty.util.concurrent.SingleThreadEventExecutor.runAllTasks(SingleThreadEventExecutor.java:404)
at io.netty.channel.nio.NioEventLoop.run(NioEventLoop.java:465)
at io.netty.util.concurrent.SingleThreadEventExecutor$5.run(SingleThreadEventExecutor.java:884)
at io.netty.util.concurrent.FastThreadLocalRunnable.run(FastThreadLocalRunnable.java:30)
at java.lang.Thread.run(Thread.java:748)
Caused by: java.lang.RuntimeException: Serialized class org.apache.dubbo.demo.DemoService_SayHelloParameter_java.lang.String must implement java.io.Serializable
Java field: private final java.lang.Object org.hibernate.validator.internal.engine.ConstraintViolationImpl.leafBeanInstance
at com.alibaba.com.caucho.hessian.io.JavaSerializer$FieldSerializer.serialize(JavaSerializer.java:304)
at com.alibaba.com.caucho.hessian.io.JavaSerializer.writeInstance(JavaSerializer.java:284)
at com.alibaba.com.caucho.hessian.io.JavaSerializer.writeObject(JavaSerializer.java:251)
at com.alibaba.com.caucho.hessian.io.Hessian2Output.writeObject(Hessian2Output.java:391)
at com.alibaba.com.caucho.hessian.io.CollectionSerializer.writeObject(CollectionSerializer.java:92)
at com.alibaba.com.caucho.hessian.io.Hessian2Output.writeObject(Hessian2Output.java:391)
at com.alibaba.com.caucho.hessian.io.JavaSerializer$FieldSerializer.serialize(JavaSerializer.java:302)
... 35 more
Caused by: java.lang.IllegalStateException: Serialized class org.apache.dubbo.demo.DemoService_SayHelloParameter_java.lang.String must implement java.io.Serializable
at com.alibaba.com.caucho.hessian.io.SerializerFactory.getDefaultSerializer(SerializerFactory.java:405)
at com.alibaba.com.caucho.hessian.io.SerializerFactory.getSerializer(SerializerFactory.java:379)
at com.alibaba.com.caucho.hessian.io.Hessian2Output.writeObject(Hessian2Output.java:389)
at com.alibaba.com.caucho.hessian.io.JavaSerializer$FieldSerializer.serialize(JavaSerializer.java:302)
... 41 more"><pre class="notranslate"><code class="notranslate">java.lang.RuntimeException: Serialized class org.apache.dubbo.demo.DemoService_SayHelloParameter_java.lang.String must implement java.io.Serializable
Java field: private final java.lang.Object org.hibernate.validator.internal.engine.ConstraintViolationImpl.leafBeanInstance
Java field: private final java.util.Set javax.validation.ConstraintViolationException.constraintViolations
at com.alibaba.com.caucho.hessian.io.JavaSerializer$FieldSerializer.serialize(JavaSerializer.java:304)
at com.alibaba.com.caucho.hessian.io.JavaSerializer.writeInstance(JavaSerializer.java:284)
at com.alibaba.com.caucho.hessian.io.JavaSerializer.writeObject(JavaSerializer.java:251)
at com.alibaba.com.caucho.hessian.io.ThrowableSerializer.writeObject(ThrowableSerializer.java:68)
at com.alibaba.com.caucho.hessian.io.Hessian2Output.writeObject(Hessian2Output.java:391)
at org.apache.dubbo.common.serialize.hessian2.Hessian2ObjectOutput.writeObject(Hessian2ObjectOutput.java:89)
at org.apache.dubbo.rpc.protocol.dubbo.DubboCodec.encodeResponseData(DubboCodec.java:208)
at org.apache.dubbo.remoting.exchange.codec.ExchangeCodec.encodeResponse(ExchangeCodec.java:283)
at org.apache.dubbo.remoting.exchange.codec.ExchangeCodec.encode(ExchangeCodec.java:71)
at org.apache.dubbo.rpc.protocol.dubbo.DubboCountCodec.encode(DubboCountCodec.java:40)
at org.apache.dubbo.remoting.transport.netty4.NettyCodecAdapter$InternalEncoder.encode(NettyCodecAdapter.java:70)
at io.netty.handler.codec.MessageToByteEncoder.write(MessageToByteEncoder.java:107)
at io.netty.channel.AbstractChannelHandlerContext.invokeWrite0(AbstractChannelHandlerContext.java:738)
at io.netty.channel.AbstractChannelHandlerContext.invokeWrite(AbstractChannelHandlerContext.java:730)
at io.netty.channel.AbstractChannelHandlerContext.write(AbstractChannelHandlerContext.java:816)
at io.netty.channel.AbstractChannelHandlerContext.write(AbstractChannelHandlerContext.java:723)
at io.netty.handler.timeout.IdleStateHandler.write(IdleStateHandler.java:302)
at io.netty.channel.AbstractChannelHandlerContext.invokeWrite0(AbstractChannelHandlerContext.java:738)
at io.netty.channel.AbstractChannelHandlerContext.invokeWrite(AbstractChannelHandlerContext.java:730)
at io.netty.channel.AbstractChannelHandlerContext.write(AbstractChannelHandlerContext.java:816)
at io.netty.channel.AbstractChannelHandlerContext.write(AbstractChannelHandlerContext.java:723)
at io.netty.channel.ChannelDuplexHandler.write(ChannelDuplexHandler.java:106)
at org.apache.dubbo.remoting.transport.netty4.NettyServerHandler.write(NettyServerHandler.java:103)
at io.netty.channel.AbstractChannelHandlerContext.invokeWrite0(AbstractChannelHandlerContext.java:738)
at io.netty.channel.AbstractChannelHandlerContext.invokeWrite(AbstractChannelHandlerContext.java:730)
at io.netty.channel.AbstractChannelHandlerContext.access$1900(AbstractChannelHandlerContext.java:38)
at io.netty.channel.AbstractChannelHandlerContext$AbstractWriteTask.write(AbstractChannelHandlerContext.java:1081)
at io.netty.channel.AbstractChannelHandlerContext$WriteAndFlushTask.write(AbstractChannelHandlerContext.java:1128)
at io.netty.channel.AbstractChannelHandlerContext$AbstractWriteTask.run(AbstractChannelHandlerContext.java:1070)
at io.netty.util.concurrent.AbstractEventExecutor.safeExecute$$$capture(AbstractEventExecutor.java:163)
at io.netty.util.concurrent.AbstractEventExecutor.safeExecute(AbstractEventExecutor.java)
at io.netty.util.concurrent.SingleThreadEventExecutor.runAllTasks(SingleThreadEventExecutor.java:404)
at io.netty.channel.nio.NioEventLoop.run(NioEventLoop.java:465)
at io.netty.util.concurrent.SingleThreadEventExecutor$5.run(SingleThreadEventExecutor.java:884)
at io.netty.util.concurrent.FastThreadLocalRunnable.run(FastThreadLocalRunnable.java:30)
at java.lang.Thread.run(Thread.java:748)
Caused by: java.lang.RuntimeException: Serialized class org.apache.dubbo.demo.DemoService_SayHelloParameter_java.lang.String must implement java.io.Serializable
Java field: private final java.lang.Object org.hibernate.validator.internal.engine.ConstraintViolationImpl.leafBeanInstance
at com.alibaba.com.caucho.hessian.io.JavaSerializer$FieldSerializer.serialize(JavaSerializer.java:304)
at com.alibaba.com.caucho.hessian.io.JavaSerializer.writeInstance(JavaSerializer.java:284)
at com.alibaba.com.caucho.hessian.io.JavaSerializer.writeObject(JavaSerializer.java:251)
at com.alibaba.com.caucho.hessian.io.Hessian2Output.writeObject(Hessian2Output.java:391)
at com.alibaba.com.caucho.hessian.io.CollectionSerializer.writeObject(CollectionSerializer.java:92)
at com.alibaba.com.caucho.hessian.io.Hessian2Output.writeObject(Hessian2Output.java:391)
at com.alibaba.com.caucho.hessian.io.JavaSerializer$FieldSerializer.serialize(JavaSerializer.java:302)
... 35 more
Caused by: java.lang.IllegalStateException: Serialized class org.apache.dubbo.demo.DemoService_SayHelloParameter_java.lang.String must implement java.io.Serializable
at com.alibaba.com.caucho.hessian.io.SerializerFactory.getDefaultSerializer(SerializerFactory.java:405)
at com.alibaba.com.caucho.hessian.io.SerializerFactory.getSerializer(SerializerFactory.java:379)
at com.alibaba.com.caucho.hessian.io.Hessian2Output.writeObject(Hessian2Output.java:389)
at com.alibaba.com.caucho.hessian.io.JavaSerializer$FieldSerializer.serialize(JavaSerializer.java:302)
... 41 more
</code></pre></div> | 0 |
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/10462227/66182795-03418d80-e6a9-11e9-9a02-1978de83bbde.jpg"><img src="https://user-images.githubusercontent.com/10462227/66182795-03418d80-e6a9-11e9-9a02-1978de83bbde.jpg" alt="test" style="max-width: 100%;"></a><br>
detectAndDecode return NULL</p> | <h5 dir="auto">System information (version)</h5>
<ul dir="auto">
<li>OpenCV => 4.0.0</li>
<li>Operating System / Platform => Windows 64 Bit</li>
<li>Compiler => Visual Studio 2015</li>
</ul>
<h5 dir="auto">Detailed description</h5>
<p dir="auto">current implementation refuses to find <em>any</em> QR code when presented with an image that contains more than one.</p>
<p dir="auto">it would be nice if it could do that.</p>
<h5 dir="auto">Steps to reproduce</h5>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import cv2 as cv
import numpy as np
im = cv.imread("qrcode.png")
det = cv.QRCodeDetector()
rv, pts = det.detect(im)
print("single:", rv) # True
rv, pts = det.detect(np.hstack([im, im])) # duplicate side by side
print("multiple:", rv) # False"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">cv2</span> <span class="pl-k">as</span> <span class="pl-s1">cv</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">im</span> <span class="pl-c1">=</span> <span class="pl-s1">cv</span>.<span class="pl-en">imread</span>(<span class="pl-s">"qrcode.png"</span>)
<span class="pl-s1">det</span> <span class="pl-c1">=</span> <span class="pl-s1">cv</span>.<span class="pl-v">QRCodeDetector</span>()
<span class="pl-s1">rv</span>, <span class="pl-s1">pts</span> <span class="pl-c1">=</span> <span class="pl-s1">det</span>.<span class="pl-en">detect</span>(<span class="pl-s1">im</span>)
<span class="pl-en">print</span>(<span class="pl-s">"single:"</span>, <span class="pl-s1">rv</span>) <span class="pl-c"># True</span>
<span class="pl-s1">rv</span>, <span class="pl-s1">pts</span> <span class="pl-c1">=</span> <span class="pl-s1">det</span>.<span class="pl-en">detect</span>(<span class="pl-s1">np</span>.<span class="pl-en">hstack</span>([<span class="pl-s1">im</span>, <span class="pl-s1">im</span>])) <span class="pl-c"># duplicate side by side</span>
<span class="pl-en">print</span>(<span class="pl-s">"multiple:"</span>, <span class="pl-s1">rv</span>) <span class="pl-c"># False</span></pre></div> | 1 |
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="import React from 'react';
import PropTypes from 'prop-types';
import { withStyles, createStyleSheet } from 'material-ui/styles';
import AppBar from 'material-ui/AppBar';
import Toolbar from 'material-ui/Toolbar';
import Typography from 'material-ui/Typography';
import Button from 'material-ui/Button';
import IconButton from 'material-ui/IconButton';
import MenuIcon from 'material-ui-icons/Menu';
import Paper from 'material-ui/Paper';
import Grid from 'material-ui/Grid';
const styleSheet = createStyleSheet(theme => ({
root: {
width:'100%',
flexGrow: 1,
},
container:{
marginTop:'30px',
},
flex: {
flex: 1,
},
}));
function Main(props) {
const classes = props.classes;
return (
<div className={classes.root}>
<AppBar position="static" color="accent">
<Toolbar>
<IconButton color="contrast" aria-label="Menu">
<MenuIcon />
</IconButton>
<Typography type="title" color="inherit" className={classes.flex}>
美美,我爱你
</Typography>
<Button color="contrast">登录</Button>
</Toolbar>
</AppBar>
<Grid container >
<Grid item xs>
sdf
</Grid>
</Grid>
</div>
);
}
Main.propTypes = {
classes: PropTypes.object.isRequired,
};
export default withStyles(styleSheet)(Main);"><pre class="notranslate"><code class="notranslate">import React from 'react';
import PropTypes from 'prop-types';
import { withStyles, createStyleSheet } from 'material-ui/styles';
import AppBar from 'material-ui/AppBar';
import Toolbar from 'material-ui/Toolbar';
import Typography from 'material-ui/Typography';
import Button from 'material-ui/Button';
import IconButton from 'material-ui/IconButton';
import MenuIcon from 'material-ui-icons/Menu';
import Paper from 'material-ui/Paper';
import Grid from 'material-ui/Grid';
const styleSheet = createStyleSheet(theme => ({
root: {
width:'100%',
flexGrow: 1,
},
container:{
marginTop:'30px',
},
flex: {
flex: 1,
},
}));
function Main(props) {
const classes = props.classes;
return (
<div className={classes.root}>
<AppBar position="static" color="accent">
<Toolbar>
<IconButton color="contrast" aria-label="Menu">
<MenuIcon />
</IconButton>
<Typography type="title" color="inherit" className={classes.flex}>
美美,我爱你
</Typography>
<Button color="contrast">登录</Button>
</Toolbar>
</AppBar>
<Grid container >
<Grid item xs>
sdf
</Grid>
</Grid>
</div>
);
}
Main.propTypes = {
classes: PropTypes.object.isRequired,
};
export default withStyles(styleSheet)(Main);
</code></pre></div>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/30659653/29019483-3b964d2c-7b91-11e7-8637-7d29623e09ef.png"><img src="https://user-images.githubusercontent.com/30659653/29019483-3b964d2c-7b91-11e7-8637-7d29623e09ef.png" alt="image" style="max-width: 100%;"></a></p> | <p dir="auto">The <code class="notranslate"><Grid container></code> extends beyond its parent, with half of spacing size.<br>
I have marked the extra width in red, also setting spacing to zero fixes the problem.</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/3260363/28355346-338983fc-6c81-11e7-9f67-fb33c7758283.png"><img src="https://user-images.githubusercontent.com/3260363/28355346-338983fc-6c81-11e7-9f67-fb33c7758283.png" alt="mobile-padding" style="max-width: 100%;"></a></p>
<p dir="auto">Here is a working example: <a href="https://codesandbox.io/s/Y8nzGm5W" rel="nofollow">https://codesandbox.io/s/Y8nzGm5W</a>.<br>
Similar code with a zero spacing works as expected: <a href="https://codesandbox.io/s/NxvYxvQpL" rel="nofollow">https://codesandbox.io/s/NxvYxvQpL</a>.</p> | 1 |
<p dir="auto"><strong>Migrated issue, originally created by Michael Bayer (<a href="https://github.com/zzzeek">@zzzeek</a>)</strong></p>
<p dir="auto">tons of use cases for TextAsFrom that should be intuitive that don't work. When we make a TextAsFrom with a positional set of columns, those columns should be welded to it. The statement should be able to work in any ORM context flawlessly, no reliance on names matching up should be needed as we do not target on name anymore:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="from sqlalchemy import *
from sqlalchemy.orm import *
from sqlalchemy.ext.declarative import declarative_base
Base = declarative_base()
class A(Base):
__tablename__ = 'a'
id = Column(Integer, primary_key=True)
bs = relationship("B")
class B(Base):
__tablename__ = 'b'
id = Column(Integer, primary_key=True)
a_id = Column(ForeignKey('a.id'))
e = create_engine("sqlite://", echo='debug')
Base.metadata.create_all(e)
s = Session(e)
s.add_all([
A(bs=[B(), B()]),
A(bs=[B(), B()])
])
s.commit()
b1 = aliased(B)
# works
sql = "select a.id, ba.id as bid, ba.a_id from "\
"a left outer join b as ba on a.id=ba.a_id"
# fails. why?
# sql = "select a.id as aid, ba.id as bid, ba.a_id from "\
# "a left outer join b as ba on a.id=ba.a_id"
# fails. why?
# sql = "select a.id as aid, ba.id, ba.a_id from "\
# "a left outer join b as ba on a.id=ba.a_id"
# are we relying upon names somehow? we should be able to
# be 100% positional now
t = text(sql).columns(A.id, b1.id, b1.a_id)
q = s.query(A).from_statement(t).options(contains_eager(A.bs, alias=b1))
for a in q:
print a.id
print a, a.bs
# forget about if we try a1 = aliased(A) also..."><pre class="notranslate"><code class="notranslate">from sqlalchemy import *
from sqlalchemy.orm import *
from sqlalchemy.ext.declarative import declarative_base
Base = declarative_base()
class A(Base):
__tablename__ = 'a'
id = Column(Integer, primary_key=True)
bs = relationship("B")
class B(Base):
__tablename__ = 'b'
id = Column(Integer, primary_key=True)
a_id = Column(ForeignKey('a.id'))
e = create_engine("sqlite://", echo='debug')
Base.metadata.create_all(e)
s = Session(e)
s.add_all([
A(bs=[B(), B()]),
A(bs=[B(), B()])
])
s.commit()
b1 = aliased(B)
# works
sql = "select a.id, ba.id as bid, ba.a_id from "\
"a left outer join b as ba on a.id=ba.a_id"
# fails. why?
# sql = "select a.id as aid, ba.id as bid, ba.a_id from "\
# "a left outer join b as ba on a.id=ba.a_id"
# fails. why?
# sql = "select a.id as aid, ba.id, ba.a_id from "\
# "a left outer join b as ba on a.id=ba.a_id"
# are we relying upon names somehow? we should be able to
# be 100% positional now
t = text(sql).columns(A.id, b1.id, b1.a_id)
q = s.query(A).from_statement(t).options(contains_eager(A.bs, alias=b1))
for a in q:
print a.id
print a, a.bs
# forget about if we try a1 = aliased(A) also...
</code></pre></div>
<p dir="auto">I've added docs in <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/sqlalchemy/sqlalchemy/commit/7d268d4bcb5e6205d05ace0ea2fd94895bc2efed/hovercard" href="https://github.com/sqlalchemy/sqlalchemy/commit/7d268d4bcb5e6205d05ace0ea2fd94895bc2efed"><tt>7d268d4</tt></a> and <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/sqlalchemy/sqlalchemy/commit/4f51fa947ffa0cadeab7ad7dcab649ce3fbcf970/hovercard" href="https://github.com/sqlalchemy/sqlalchemy/commit/4f51fa947ffa0cadeab7ad7dcab649ce3fbcf970"><tt>4f51fa9</tt></a> that we may even have to dial back for versions that don't have this feature.</p>
<hr>
<p dir="auto">Attachments: <a href="../wiki/imported_issue_attachments/3501/3501.patch">3501.patch</a></p> | <p dir="auto">Hi,</p>
<p dir="auto">I'm trying to upsert a table that has a column named "id" (primary key) and a column named "name" (unique key).</p>
<p dir="auto">The var "value" is a dict, and the following code gives me:</p>
<p dir="auto">TypeError: on_duplicate_key_update() takes exactly 1 argument (2 given)</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="try:
stmt = insert(dbmeta.tables['Assets']).values(values)
ustmt = stmt.on_duplicate_key_update(values)
dbconn.execute(ustmt)
trans.commit()
except exc.SQLAlchemyError as e:
print("[ ERROR ] - Rolling back transation (%s)" % e, file=sys.stderr)
trans.rollback()
return False
return True "><pre class="notranslate"><code class="notranslate">try:
stmt = insert(dbmeta.tables['Assets']).values(values)
ustmt = stmt.on_duplicate_key_update(values)
dbconn.execute(ustmt)
trans.commit()
except exc.SQLAlchemyError as e:
print("[ ERROR ] - Rolling back transation (%s)" % e, file=sys.stderr)
trans.rollback()
return False
return True
</code></pre></div>
<p dir="auto">What am I doing wrong?</p>
<p dir="auto">Thanks,<br>
Bruno</p> | 0 |
<h3 dir="auto">Bug report</h3>
<p dir="auto"><strong>Bug summary</strong></p>
<p dir="auto">Please allow support for multiple markers in the same scatter plot</p>
<p dir="auto"><strong>Code for reproduction</strong></p>
<p dir="auto"><a href="https://stackoverflow.com/questions/43528300/python-matplotlib-scatter-different-markers-in-one-scatter" rel="nofollow">https://stackoverflow.com/questions/43528300/python-matplotlib-scatter-different-markers-in-one-scatter</a></p>
<div class="highlight highlight-source-python notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="# Wrapper around scikit-learn PCA
pca_degs = sy.ordination.PrincipalComponentAnalysis(df_clr.loc[:,idx_deg])
# Array of markers
markers = df_meta["temperature"].map(lambda x: {"26C":"o", "30C":"^"}[x])[pca_degs.data.index]
# Wrapper around matplotlib `scatter`
pca_degs.plot(marker=markers.tolist())
"><pre class="notranslate"><span class="pl-c"># Wrapper around scikit-learn PCA</span>
<span class="pl-s1">pca_degs</span> <span class="pl-c1">=</span> <span class="pl-s1">sy</span>.<span class="pl-s1">ordination</span>.<span class="pl-v">PrincipalComponentAnalysis</span>(<span class="pl-s1">df_clr</span>.<span class="pl-s1">loc</span>[:,<span class="pl-s1">idx_deg</span>])
<span class="pl-c"># Array of markers</span>
<span class="pl-s1">markers</span> <span class="pl-c1">=</span> <span class="pl-s1">df_meta</span>[<span class="pl-s">"temperature"</span>].<span class="pl-en">map</span>(<span class="pl-k">lambda</span> <span class="pl-s1">x</span>: {<span class="pl-s">"26C"</span>:<span class="pl-s">"o"</span>, <span class="pl-s">"30C"</span>:<span class="pl-s">"^"</span>}[<span class="pl-s1">x</span>])[<span class="pl-s1">pca_degs</span>.<span class="pl-s1">data</span>.<span class="pl-s1">index</span>]
<span class="pl-c"># Wrapper around matplotlib `scatter`</span>
<span class="pl-s1">pca_degs</span>.<span class="pl-en">plot</span>(<span class="pl-s1">marker</span><span class="pl-c1">=</span><span class="pl-s1">markers</span>.<span class="pl-en">tolist</span>())</pre></div>
<p dir="auto"><strong>Actual outcome</strong></p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="ValueError: Unrecognized marker style ['^', '^', 'o', '^', '^', 'o', '^', '^', 'o', 'o', 'o', 'o', 'o', 'o', 'o', nan, 'o', 'o', '^', '^', 'o']
"><pre class="notranslate"><code class="notranslate">ValueError: Unrecognized marker style ['^', '^', 'o', '^', '^', 'o', '^', '^', 'o', 'o', 'o', 'o', 'o', 'o', 'o', nan, 'o', 'o', '^', '^', 'o']
</code></pre></div>
<p dir="auto"><strong>Expected outcome</strong></p>
<p dir="auto">Plot multiple markers instead of running a for-loop and creating one per marker style</p>
<p dir="auto"><strong>Matplotlib version</strong></p>
<ul dir="auto">
<li>
<p dir="auto">Operating system: OSX</p>
</li>
<li>
<p dir="auto">Matplotlib version: 3.2.1</p>
</li>
<li>
<p dir="auto">Matplotlib backend (<code class="notranslate">print(matplotlib.get_backend())</code>): module://ipykernel.pylab.backend_inline</p>
</li>
<li>
<p dir="auto">Python version: 3.8.2</p>
</li>
<li>
<p dir="auto">Jupyter version (if applicable):</p>
</li>
<li>
<p dir="auto">Other libraries:</p>
</li>
</ul> | <h3 dir="auto">Feature Request</h3>
<p dir="auto">It would be great if the <code class="notranslate">plot</code> and <code class="notranslate">scatter</code> functions would allow the <code class="notranslate">marker</code> kwarg to be a list.</p>
<p dir="auto">When using <code class="notranslate">scatter</code>, I can set the color of individual pixels using the <code class="notranslate">c</code> kwarg. <code class="notranslate">c</code> can be a list/array. It would be convenient if I could also set the <em>marker style</em> of the individual points using a list of styles.</p>
<p dir="auto">I'm using matplotlib 2.2.2 on Python 3.6</p> | 1 |
<p dir="auto">There have been a few time that we've come across the situation where we want to replace nodes instead of updating in place. We are also considering moving to a side by side upgrade deployment system.</p>
<p dir="auto">The status quo makes it difficult to replace the entire cluster efficiently. We have to spin up nodes, wait for rebalancing, kill an old node, wait for rebalancing, repeat.</p>
<p dir="auto">It would be nice to be able to mark a node as retiring or soon to be deprecated so that its data would get replicated on the new nodes sooner. So, you could mark a node this way, and it would still be used for the segments it has, but it they would not be considered in the replica count.</p> | <p dir="auto">This ask is that historical nodes are able to be put into a maintenance mode such that their nodes do not count towards the replication threshold. This allows for scaling tiers down in a more controlled manner.</p>
<p dir="auto">We occasionally have capacity issues as we scale our cluster such that a lower tier fills up, and upper tiers need to be expanded to accommodate the handoff of realtime indexing tasks while the lower tiers expand. Once this is completed and segments are flowing as expected through the tiers, the "more recent data" tiers need to be shrunk back to normal operating size.</p>
<p dir="auto">Being able to put a historical node into a state where it doesn't count towards replication would help in this.</p> | 1 |
<p dir="auto">by <strong>joelegasse</strong>:</p>
<pre class="notranslate">What steps will reproduce the problem?
Compiling and running the following program:
package main
import (
"bytes"
"fmt"
)
func main() {
data := bytes.NewBuffer([]byte{1, 2, 3, 4, 5})
data.Next(2) // buffer now on element 3
line, _ := data.ReadBytes(3)
fmt.Println(line)
}
What is the expected output?
[3]
What do you see instead?
Runtime panic.
Which compiler are you using (5g, 6g, 8g, gccgo)?
6g
Which operating system are you using?
linux
Which revision are you using? (hg identify)
867d37fb41a4+ release.2011-02-01.1/release
Please provide any additional information below.
In src/pkg/bytes/buffer.go, in the ReadBytes() method, the following line needs to be
updated (including the fix for <a href="https://golang.org/issue/1498" rel="nofollow">issue #1498</a>).
diff -r 867d37fb41a4 src/pkg/bytes/buffer.go
--- a/src/pkg/bytes/buffer.go Wed Feb 02 12:09:31 2011 +1100
+++ b/src/pkg/bytes/buffer.go Fri Feb 11 02:35:19 2011 -0500
@@ -309,13 +309,14 @@
// delim.
func (b *Buffer) ReadBytes(delim byte) (line []byte, err os.Error) {
i := IndexByte(b.buf[b.off:], delim)
- size := i + 1 - b.off
- if i < 0 {
+ size := i + 1
+ if size <= 0 {
size = len(b.buf) - b.off
err = os.EOF
}
line = make([]byte, size)
copy(line, b.buf[b.off:])
+ b.off += size
return
}
This is because IndexByte will return the index into the slice that it was passed
(b.buf[b.off:] in this case), which means that i is actually b.off + i with respect to
b.buf. So, there is no need to take away the current offset when calculating the size. A
zero would represent that the delim is at b.off, so we would want to copy 1 byte out of
ReadBytes(), not -1 as in the sample program provided (b.off == 2, so i + 1 - 2 would be
-1). That -1 is then passed to make(), which doesn't like negative sizes. To fix this, I
also changed the check from 'i < 0', to 'size <= 0'. That way we know that in the
call to make() size is greater than or equal to zero.</pre> | <p dir="auto">by <strong><a href="mailto:[email protected]">[email protected]</a></strong>:</p>
<pre class="notranslate">What steps will reproduce the problem?
1. Compile a trivial hello world with the 8* compiler suite.
2. Deploy this binary to a 32-bit server running a kernel patched with grsecurity.
3. Run binary.
What is the expected output?
The binary should run happily.
What do you see instead?
The binary outputs "throw: out of memory (FixAlloc)" and hangs.
Which compiler are you using (5g, 6g, 8g, gccgo)?
8g.
Which operating system are you using?
Linux atlas.natulte.net 2.6.32.24-grsec #1 SMP Fri Oct 22 21:57:04 PDT 2010 i686
GNU/Linux
Which revision are you using? (hg identify)
03da6860bb39 tip
Please provide any additional information below.
Suspecting a binary compatibility issue, I tried to rebuild the entire Go universe on
this server. ./all.bash crashes the first time it tries to run cgo, with the same error.
strace pinpoints the specific startup failure:
mmap2(NULL, 131072, PROT_READ|PROT_WRITE|PROT_EXEC, MAP_PRIVATE|MAP_ANONYMOUS, -1, 0) =
-1 EPERM (Operation not permitted)
In kernels hardened with the PaX features of grsecurity, mmap() denies requests for
memory that is both writable and executable, to stop attacks that dump shellcode into
memory and then execute it. It's likely that other hardened kernels (e.g. the more
popular SELinux) enforce the same restrictions.
I haven't yet had time to examine the needs of the Go runtime's allocator, but my hope
is that it doesn't actually need executable memory, in which case the fix is trivially
removing the X bit from the mmap() call.
PaX also comes with a commandline utility to toggle some protection features on a
per-binary basis. Unfortunately, this tool claims that Go binaries have a malformed ELF
header, so I'm unable to toggle the flags. I need to further diagnose this subfailure to
figure out if there's a bug in the ELF writer.</pre> | 0 |
<p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=kamaci" rel="nofollow">Furkan KAMACI</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-8840?redirect=false" rel="nofollow">SPR-8840</a></strong> and commented</p>
<p dir="auto">I have a model like that:</p>
<div class="highlight highlight-source-java notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="public class Wrapper<T> {
private String message;
private T data;
public String getMessage() {
return message;
}
public void setMessage(String message) {
this.message = message;
}
public T getData() {
return data;
}
public void setData(T data) {
this.data = data;
}
}"><pre class="notranslate"><span class="pl-k">public</span> <span class="pl-k">class</span> <span class="pl-smi">Wrapper</span><<span class="pl-smi">T</span>> {
<span class="pl-k">private</span> <span class="pl-smi">String</span> <span class="pl-s1">message</span>;
<span class="pl-k">private</span> <span class="pl-smi">T</span> <span class="pl-s1">data</span>;
<span class="pl-k">public</span> <span class="pl-smi">String</span> <span class="pl-en">getMessage</span>() {
<span class="pl-k">return</span> <span class="pl-s1">message</span>;
}
<span class="pl-k">public</span> <span class="pl-smi">void</span> <span class="pl-en">setMessage</span>(<span class="pl-smi">String</span> <span class="pl-s1">message</span>) {
<span class="pl-smi">this</span>.<span class="pl-s1">message</span> = <span class="pl-s1">message</span>;
}
<span class="pl-k">public</span> <span class="pl-smi">T</span> <span class="pl-en">getData</span>() {
<span class="pl-k">return</span> <span class="pl-s1">data</span>;
}
<span class="pl-k">public</span> <span class="pl-smi">void</span> <span class="pl-en">setData</span>(<span class="pl-smi">T</span> <span class="pl-s1">data</span>) {
<span class="pl-smi">this</span>.<span class="pl-s1">data</span> = <span class="pl-s1">data</span>;
}
}</pre></div>
<p dir="auto">and I use resttemplate as follows:</p>
<div class="highlight highlight-source-java notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="...
Wrapper<Model> response = restTemplate.getForObject(URL, Wrapper.class, myMap);
Model model = response.getData();
..."><pre class="notranslate">...
<span class="pl-smi">Wrapper</span><<span class="pl-smi">Model</span>> <span class="pl-s1">response</span> = <span class="pl-s1">restTemplate</span>.<span class="pl-en">getForObject</span>(<span class="pl-c1">URL</span>, <span class="pl-smi">Wrapper</span>.<span class="pl-k">class</span>, <span class="pl-s1">myMap</span>);
<span class="pl-smi">Model</span> <span class="pl-s1">model</span> = <span class="pl-s1">response</span>.<span class="pl-en">getData</span>();
...</pre></div>
<p dir="auto">However it throws a:</p>
<p dir="auto">ClassCastException</p>
<p dir="auto">I think resttemplate can not understand my generic variable and maybe it accepts it as an Object instead of generic T. So it becomes a LinkedHashMap.</p>
<hr>
<p dir="auto"><strong>Reference URL:</strong> <a href="http://forum.springsource.org/showthread.php?117511-RestTemplate-Can-Not-Convert-Generic-Types&p=387485#post387485" rel="nofollow">http://forum.springsource.org/showthread.php?117511-RestTemplate-Can-Not-Convert-Generic-Types&p=387485#post387485</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="398104042" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/11685" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/11685/hovercard" href="https://github.com/spring-projects/spring-framework/issues/11685">#11685</a> Proper handling of parameterized types in RestTemplate (<em><strong>"duplicates"</strong></em>)</li>
</ul> | <p dir="auto"><strong><a href="https://jira.spring.io/secure/ViewProfile.jspa?name=arjen.poutsma" rel="nofollow">Arjen Poutsma</a></strong> opened <strong><a href="https://jira.spring.io/browse/SPR-7023?redirect=false" rel="nofollow">SPR-7023</a></strong> and commented</p>
<p dir="auto">Currently, the RestTemplate has no way to handle generic types. In other words, the following does not work:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="List<MyDomain> myDomainList = restTemplate.getForObject(uri, List.class);"><pre class="notranslate"><code class="notranslate">List<MyDomain> myDomainList = restTemplate.getForObject(uri, List.class);
</code></pre></div>
<p dir="auto">This should be fixed.</p>
<hr>
<p dir="auto"><strong>Affects:</strong> 3.1.1</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="398115515" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/13482" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/13482/hovercard" href="https://github.com/spring-projects/spring-framework/issues/13482">#13482</a> RestTemplate Converting Generic Types (<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="398112570" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/13028" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/13028/hovercard" href="https://github.com/spring-projects/spring-framework/issues/13028">#13028</a> HttpMessageConverter doesn't support typed collections</li>
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="398199842" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/19423" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/19423/hovercard" href="https://github.com/spring-projects/spring-framework/issues/19423">#19423</a> Add PATCH HTTP operation to RestTemplate</li>
<li><a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="398103919" data-permission-text="Title is private" data-url="https://github.com/spring-projects/spring-framework/issues/11667" data-hovercard-type="issue" data-hovercard-url="/spring-projects/spring-framework/issues/11667/hovercard" href="https://github.com/spring-projects/spring-framework/issues/11667">#11667</a> RestTemplate fails to convert properly for Generic Type Container with MappingJacksonHttpMessageConverter</li>
</ul>
<p dir="auto"><strong>Referenced from:</strong> commits <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/spring-projects/spring-framework/commit/ed3823b045fd19cdb801609eb034c93dd4d75c3f/hovercard" href="https://github.com/spring-projects/spring-framework/commit/ed3823b045fd19cdb801609eb034c93dd4d75c3f"><tt>ed3823b</tt></a></p>
<p dir="auto">14 votes, 16 watchers</p> | 1 |
<h1 dir="auto">Description of the new feature/enhancement</h1>
<p dir="auto">The ability to group or sectionize machines would be a nice feature to organize your machines and consoles.</p>
<p dir="auto">See (1) for grouping example<br>
See (2) and (3) for section example</p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/45369229/62411837-943caf80-b5f9-11e9-8d4e-1a486c113b08.png"><img src="https://user-images.githubusercontent.com/45369229/62411837-943caf80-b5f9-11e9-8d4e-1a486c113b08.png" alt="image" style="max-width: 100%;"></a></p>
<p dir="auto">Thanks!</p> | <h1 dir="auto">Environment</h1>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Win32NT 10.0.18965.0 Microsoft Windows NT 10.0.18965.0 "><pre class="notranslate"><code class="notranslate">Win32NT 10.0.18965.0 Microsoft Windows NT 10.0.18965.0
</code></pre></div>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="Windows Terminal (Preview)
Version: 0.4.2382.0"><pre class="notranslate"><code class="notranslate">Windows Terminal (Preview)
Version: 0.4.2382.0
</code></pre></div>
<h1 dir="auto">Steps to reproduce</h1>
<p dir="auto">When the window is not maximized, press Windows Key + Up to maximize it.<br>
When the window is maximized, press Windows Key + Down to restore it.</p>
<h1 dir="auto">Expected behavior</h1>
<p dir="auto">The maximize/restore button in the top right corner of the window changes icon to reflect the new state of the window.</p>
<h1 dir="auto">Actual behavior</h1>
<p dir="auto">The button does not change.</p> | 0 |
<p dir="auto"><a href="https://ci.appveyor.com/project/scipy/scipy-wheels/builds/40998533/job/eqlrdamm2bp6kkxp" rel="nofollow">Here</a> This is on Python 3.9, 3.8 passed.</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="C:\Python39\lib\site-packages\scipy\integrate\tests\test__quad_vec.py:108: in test_quad_vec_pool
...
C:\Python39\lib\multiprocessing\popen_spawn_win32.py:123: in terminate
_winapi.TerminateProcess(int(self._handle), TERMINATE)
E PermissionError: [WinError 5] Access is denied
self = <multiprocessing.popen_spawn_win32.Popen object at 0x137C0748>"><pre class="notranslate"><code class="notranslate">C:\Python39\lib\site-packages\scipy\integrate\tests\test__quad_vec.py:108: in test_quad_vec_pool
...
C:\Python39\lib\multiprocessing\popen_spawn_win32.py:123: in terminate
_winapi.TerminateProcess(int(self._handle), TERMINATE)
E PermissionError: [WinError 5] Access is denied
self = <multiprocessing.popen_spawn_win32.Popen object at 0x137C0748>
</code></pre></div>
<p dir="auto">It isn't clear if this is an upstream problem or misuse on scipy's part.</p> | <p dir="auto">This failure/permissions error is showing up in the wheels repo for a subset of Windows matrix entries, including backports for 1.7.2 and for <code class="notranslate">master</code>.</p>
<p dir="auto">I'll put the traceback below, and links to sample PRs:<br>
<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="1035763905" data-permission-text="Title is private" data-url="https://github.com/MacPython/scipy-wheels/issues/135" data-hovercard-type="pull_request" data-hovercard-url="/MacPython/scipy-wheels/pull/135/hovercard" href="https://github.com/MacPython/scipy-wheels/pull/135">MacPython/scipy-wheels#135</a><br>
<a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="1045403120" data-permission-text="Title is private" data-url="https://github.com/MacPython/scipy-wheels/issues/138" data-hovercard-type="pull_request" data-hovercard-url="/MacPython/scipy-wheels/pull/138/hovercard" href="https://github.com/MacPython/scipy-wheels/pull/138">MacPython/scipy-wheels#138</a></p>
<p dir="auto">Can we put a skip marker on this test for Windows temporarily, at least on the maintenance branch, or is this looking real?</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="================================== FAILURES ===================================
_____________________________ test_quad_vec_pool ______________________________
[gw0] win32 -- Python 3.7.5 C:\Python37-x64\python.exe
C:\Python37-x64\lib\site-packages\scipy\integrate\tests\test__quad_vec.py:98: in test_quad_vec_pool
res, err = quad_vec(f, -np.inf, np.inf, norm='max', epsabs=1e-4, workers=4)
Pool = <function Pool at 0x000002479C210A68>
f = <function _lorenzian at 0x0000024787C0FDC8>
C:\Python37-x64\lib\site-packages\scipy\integrate\_quad_vec.py:252: in quad_vec
res = quad_vec(f2, -1, 1, **kwargs)
a = -inf
b = inf
cache_size = 100000000.0
epsabs = 0.0001
epsrel = 1e-08
f = <function _lorenzian at 0x0000024787C0FDC8>
f2 = <scipy.integrate._quad_vec.DoubleInfiniteFunc object at 0x0000024799FFCA48>
full_output = False
kwargs = {'cache_size': 100000000.0, 'epsabs': 0.0001, 'epsrel': 1e-08, 'full_output': False, ...}
limit = 10000
norm = 'max'
points = None
quadrature = None
sgn = 1
workers = 4
C:\Python37-x64\lib\site-packages\scipy\integrate\_quad_vec.py:391: in quad_vec
break
CONVERGED = 0
NOT_A_NUMBER = 3
NOT_CONVERGED = 1
ROUNDING_ERROR = 2
_quadrature = <function _quadrature_gk15 at 0x0000024787BDB678>
a = -1.0
b = 0.0
cache_count = 4166666.0
cache_size = 100000000.0
derr = -0.0001958558976507645
dint = -5.188183216375819e-11
dneval = 30
dround_err = 1.7439342490043163e-14
epsabs = 0.0001
epsrel = 1e-08
err = 1.2888960825934786e-10
err_sum = 0.00039171231086582484
f = <scipy.integrate._quad_vec.DoubleInfiniteFunc object at 0x0000024799FFCA48>
full_output = False
global_error = 5.155584007941142e-10
global_integral = 3.141592653589793
ier = 0
ig = 0.7853981633974483
initial_intervals = [(-1.0, 0.0), (0.0, 1.0)]
interval = (-0.000195856155429981, -1.0, 0.0)
interval_cache = LRUDict([((0.0, 0.5), 0.7853981633974485), ((0.5, 1.0), 0.7853981633974483), ((-1.0, -0.5), 0.7853981633974484), ((-0.5, 0.0), 0.7853981633974483)])
intervals = [(-1.2888960825934792e-10, -1.0, -0.5), (-1.2888960825934786e-10, -0.5, 0.0), (-1.2888960825934792e-10, 0.5, 1.0), (-1.2888957602994802e-10, 0.0, 0.5)]
j = 2
kwargs = {'cache_size': 100000000.0, 'epsabs': 0.0001, 'epsrel': 1e-08, 'full_output': False, ...}
limit = 10000
mapwrapper = <scipy._lib._util.MapWrapper object at 0x000002479C20C9C8>
min_intervals = 2
neg_old_err = -0.000195856155429981
neval = 90
norm = 'max'
norm_func = <built-in function abs>
norm_funcs = {None: <function _max_norm at 0x0000024787B5C0D8>, 'max': <function _max_norm at 0x0000024787B5C0D8>, '2': <function norm at 0x00000247FE803E58>}
old_int = 1.5707963268467784
p = 0.0
parallel_count = 128
points = (0,)
prev = 0.0
quadrature = 'gk15'
rnd = 1.743934249061916e-14
rounding_error = 6.975736996132465e-14
status_msg = {0: 'Target precision reached.', 1: 'Target precision not reached.', 2: 'Target precision could not be reached due to rounding error.', 3: 'Non-finite values encountered.'}
subint = ((-1.0, -0.5, 0.7853981633974484, 1.2888960825934792e-10), (-0.5, 0.0, 0.7853981633974483, 1.2888960825934786e-10))
to_process = [((0.00019585615543584383, 0.0, 1.0, 1.5707963268467782), <scipy.integrate._quad_vec.DoubleInfiniteFunc object at 0x00...nfiniteFunc object at 0x0000024799FFCA48>, <built-in function abs>, <function _quadrature_gk15 at 0x0000024787BDB678>)]
tol = 0.0001
workers = 4
x = (-0.5, 0.0, 0.7853981633974483, 1.2888960825934786e-10)
x1 = -0.5
x2 = 0.0
C:\Python37-x64\lib\site-packages\scipy\_lib\_util.py:466: in __exit__
self.pool.terminate()
exc_type = None
exc_value = None
self = <scipy._lib._util.MapWrapper object at 0x000002479C20C9C8>
traceback = None
C:\Python37-x64\lib\multiprocessing\pool.py:548: in terminate
self._terminate()
self = <multiprocessing.pool.Pool object at 0x000002479C20CBC8>
C:\Python37-x64\lib\multiprocessing\util.py:201: in __call__
res = self._callback(*self._args, **self._kwargs)
_finalizer_registry = {(None, 9): <Finalize object, callback=CloseHandle, args=(2044,)>, (None, 10): <Finalize object, callback=CloseHandle,...Finalize object, callback=CloseHandle, args=(2020,)>, (None, 12): <Finalize object, callback=CloseHandle, args=(508,)>}
getpid = <built-in function getpid>
self = <Finalize object, callback=_terminate_pool, args=(<_queue.SimpleQueue object at 0x000002479C1FB638>, <multiprocessing....emon 2636)>, <Thread(Thread-108, stopped daemon 3004)>, <Thread(Thread-109, stopped daemon 3664)>, {}), exitprority=15>
sub_debug = <function sub_debug at 0x00000247FF7A5DC8>
wr = None
C:\Python37-x64\lib\multiprocessing\pool.py:601: in _terminate_pool
p.terminate()
cache = {}
cls = <class 'multiprocessing.pool.Pool'>
inqueue = <multiprocessing.queues.SimpleQueue object at 0x000002479C20CB08>
outqueue = <multiprocessing.queues.SimpleQueue object at 0x000002479C2053C8>
p = <SpawnProcess(SpawnPoolWorker-8, stopped daemon)>
pool = [<SpawnProcess(SpawnPoolWorker-7, stopped[SIGTERM] daemon)>, <SpawnProcess(SpawnPoolWorker-8, stopped daemon)>, <SpawnProcess(SpawnPoolWorker-9, stopped daemon)>, <SpawnProcess(SpawnPoolWorker-10, stopped daemon)>]
result_handler = <Thread(Thread-109, stopped daemon 3664)>
task_handler = <Thread(Thread-108, stopped daemon 3004)>
taskqueue = <_queue.SimpleQueue object at 0x000002479C1FB638>
worker_handler = <Thread(Thread-107, stopped daemon 2636)>
C:\Python37-x64\lib\multiprocessing\process.py:124: in terminate
self._popen.terminate()
self = <SpawnProcess(SpawnPoolWorker-8, stopped daemon)>
C:\Python37-x64\lib\multiprocessing\popen_spawn_win32.py:119: in terminate
_winapi.TerminateProcess(int(self._handle), TERMINATE)
E PermissionError: [WinError 5] Access is denied
self = <multiprocessing.popen_spawn_win32.Popen object at 0x000002479C205748>"><pre class="notranslate"><code class="notranslate">================================== FAILURES ===================================
_____________________________ test_quad_vec_pool ______________________________
[gw0] win32 -- Python 3.7.5 C:\Python37-x64\python.exe
C:\Python37-x64\lib\site-packages\scipy\integrate\tests\test__quad_vec.py:98: in test_quad_vec_pool
res, err = quad_vec(f, -np.inf, np.inf, norm='max', epsabs=1e-4, workers=4)
Pool = <function Pool at 0x000002479C210A68>
f = <function _lorenzian at 0x0000024787C0FDC8>
C:\Python37-x64\lib\site-packages\scipy\integrate\_quad_vec.py:252: in quad_vec
res = quad_vec(f2, -1, 1, **kwargs)
a = -inf
b = inf
cache_size = 100000000.0
epsabs = 0.0001
epsrel = 1e-08
f = <function _lorenzian at 0x0000024787C0FDC8>
f2 = <scipy.integrate._quad_vec.DoubleInfiniteFunc object at 0x0000024799FFCA48>
full_output = False
kwargs = {'cache_size': 100000000.0, 'epsabs': 0.0001, 'epsrel': 1e-08, 'full_output': False, ...}
limit = 10000
norm = 'max'
points = None
quadrature = None
sgn = 1
workers = 4
C:\Python37-x64\lib\site-packages\scipy\integrate\_quad_vec.py:391: in quad_vec
break
CONVERGED = 0
NOT_A_NUMBER = 3
NOT_CONVERGED = 1
ROUNDING_ERROR = 2
_quadrature = <function _quadrature_gk15 at 0x0000024787BDB678>
a = -1.0
b = 0.0
cache_count = 4166666.0
cache_size = 100000000.0
derr = -0.0001958558976507645
dint = -5.188183216375819e-11
dneval = 30
dround_err = 1.7439342490043163e-14
epsabs = 0.0001
epsrel = 1e-08
err = 1.2888960825934786e-10
err_sum = 0.00039171231086582484
f = <scipy.integrate._quad_vec.DoubleInfiniteFunc object at 0x0000024799FFCA48>
full_output = False
global_error = 5.155584007941142e-10
global_integral = 3.141592653589793
ier = 0
ig = 0.7853981633974483
initial_intervals = [(-1.0, 0.0), (0.0, 1.0)]
interval = (-0.000195856155429981, -1.0, 0.0)
interval_cache = LRUDict([((0.0, 0.5), 0.7853981633974485), ((0.5, 1.0), 0.7853981633974483), ((-1.0, -0.5), 0.7853981633974484), ((-0.5, 0.0), 0.7853981633974483)])
intervals = [(-1.2888960825934792e-10, -1.0, -0.5), (-1.2888960825934786e-10, -0.5, 0.0), (-1.2888960825934792e-10, 0.5, 1.0), (-1.2888957602994802e-10, 0.0, 0.5)]
j = 2
kwargs = {'cache_size': 100000000.0, 'epsabs': 0.0001, 'epsrel': 1e-08, 'full_output': False, ...}
limit = 10000
mapwrapper = <scipy._lib._util.MapWrapper object at 0x000002479C20C9C8>
min_intervals = 2
neg_old_err = -0.000195856155429981
neval = 90
norm = 'max'
norm_func = <built-in function abs>
norm_funcs = {None: <function _max_norm at 0x0000024787B5C0D8>, 'max': <function _max_norm at 0x0000024787B5C0D8>, '2': <function norm at 0x00000247FE803E58>}
old_int = 1.5707963268467784
p = 0.0
parallel_count = 128
points = (0,)
prev = 0.0
quadrature = 'gk15'
rnd = 1.743934249061916e-14
rounding_error = 6.975736996132465e-14
status_msg = {0: 'Target precision reached.', 1: 'Target precision not reached.', 2: 'Target precision could not be reached due to rounding error.', 3: 'Non-finite values encountered.'}
subint = ((-1.0, -0.5, 0.7853981633974484, 1.2888960825934792e-10), (-0.5, 0.0, 0.7853981633974483, 1.2888960825934786e-10))
to_process = [((0.00019585615543584383, 0.0, 1.0, 1.5707963268467782), <scipy.integrate._quad_vec.DoubleInfiniteFunc object at 0x00...nfiniteFunc object at 0x0000024799FFCA48>, <built-in function abs>, <function _quadrature_gk15 at 0x0000024787BDB678>)]
tol = 0.0001
workers = 4
x = (-0.5, 0.0, 0.7853981633974483, 1.2888960825934786e-10)
x1 = -0.5
x2 = 0.0
C:\Python37-x64\lib\site-packages\scipy\_lib\_util.py:466: in __exit__
self.pool.terminate()
exc_type = None
exc_value = None
self = <scipy._lib._util.MapWrapper object at 0x000002479C20C9C8>
traceback = None
C:\Python37-x64\lib\multiprocessing\pool.py:548: in terminate
self._terminate()
self = <multiprocessing.pool.Pool object at 0x000002479C20CBC8>
C:\Python37-x64\lib\multiprocessing\util.py:201: in __call__
res = self._callback(*self._args, **self._kwargs)
_finalizer_registry = {(None, 9): <Finalize object, callback=CloseHandle, args=(2044,)>, (None, 10): <Finalize object, callback=CloseHandle,...Finalize object, callback=CloseHandle, args=(2020,)>, (None, 12): <Finalize object, callback=CloseHandle, args=(508,)>}
getpid = <built-in function getpid>
self = <Finalize object, callback=_terminate_pool, args=(<_queue.SimpleQueue object at 0x000002479C1FB638>, <multiprocessing....emon 2636)>, <Thread(Thread-108, stopped daemon 3004)>, <Thread(Thread-109, stopped daemon 3664)>, {}), exitprority=15>
sub_debug = <function sub_debug at 0x00000247FF7A5DC8>
wr = None
C:\Python37-x64\lib\multiprocessing\pool.py:601: in _terminate_pool
p.terminate()
cache = {}
cls = <class 'multiprocessing.pool.Pool'>
inqueue = <multiprocessing.queues.SimpleQueue object at 0x000002479C20CB08>
outqueue = <multiprocessing.queues.SimpleQueue object at 0x000002479C2053C8>
p = <SpawnProcess(SpawnPoolWorker-8, stopped daemon)>
pool = [<SpawnProcess(SpawnPoolWorker-7, stopped[SIGTERM] daemon)>, <SpawnProcess(SpawnPoolWorker-8, stopped daemon)>, <SpawnProcess(SpawnPoolWorker-9, stopped daemon)>, <SpawnProcess(SpawnPoolWorker-10, stopped daemon)>]
result_handler = <Thread(Thread-109, stopped daemon 3664)>
task_handler = <Thread(Thread-108, stopped daemon 3004)>
taskqueue = <_queue.SimpleQueue object at 0x000002479C1FB638>
worker_handler = <Thread(Thread-107, stopped daemon 2636)>
C:\Python37-x64\lib\multiprocessing\process.py:124: in terminate
self._popen.terminate()
self = <SpawnProcess(SpawnPoolWorker-8, stopped daemon)>
C:\Python37-x64\lib\multiprocessing\popen_spawn_win32.py:119: in terminate
_winapi.TerminateProcess(int(self._handle), TERMINATE)
E PermissionError: [WinError 5] Access is denied
self = <multiprocessing.popen_spawn_win32.Popen object at 0x000002479C205748>
</code></pre></div> | 1 |
<p dir="auto">Hi. I would like to have something like this to load relative modules in the context of a NPM package:</p>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="import foo from "npm:./foo";"><pre class="notranslate"><span class="pl-k">import</span> <span class="pl-s1">foo</span> <span class="pl-k">from</span> <span class="pl-s">"npm:./foo"</span><span class="pl-kos">;</span></pre></div>
<p dir="auto">This would be useful to load npm packages that need some tweaks to work in Deno. I think it's not possible right now.</p> | <p dir="auto">My Observation:</p>
<div class="highlight highlight-source-shell notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="kar@earth:~/my/projects/guix-pkg-search$ deno compile main.js
Check file:///home/kar/my/projects/guix-pkg-search/main.js
Compile file:///home/kar/my/projects/guix-pkg-search/main.js
Emit guix-pkg-search
kar@earth:~/my/projects/guix-pkg-search$ du -sh guix-pkg-search
94M guix-pkg-search
kar@earth:~/my/projects/guix-pkg-search$ strip guix-pkg-search
kar@earth:~/my/projects/guix-pkg-search$ du -sh guix-pkg-search
65M guix-pkg-search"><pre class="notranslate">kar@earth:<span class="pl-k">~</span>/my/projects/guix-pkg-search$ deno compile main.js
Check file:///home/kar/my/projects/guix-pkg-search/main.js
Compile file:///home/kar/my/projects/guix-pkg-search/main.js
Emit guix-pkg-search
kar@earth:<span class="pl-k">~</span>/my/projects/guix-pkg-search$ du -sh guix-pkg-search
94M guix-pkg-search
kar@earth:<span class="pl-k">~</span>/my/projects/guix-pkg-search$ strip guix-pkg-search
kar@earth:<span class="pl-k">~</span>/my/projects/guix-pkg-search$ du -sh guix-pkg-search
65M guix-pkg-search</pre></div>
<p dir="auto">If possible, Please add an optional feature with <code class="notranslate">--strip</code> flag to <code class="notranslate">deno compile</code> to enable stripping of the output binary</p> | 0 |
<p dir="auto">Incorrect z-index modal-backdrop.</p>
<p dir="auto">Example: <a href="http://jsfiddle.net/aUNr6/1/" rel="nofollow">http://jsfiddle.net/aUNr6/1/</a></p> | <p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://camo.githubusercontent.com/bf29b6dad35757eb1bc4b47aba42881d10c581502dd3063f7b5f451c7c0c516c/687474703a2f2f7331342e64697265637475706c6f61642e6e65742f696d616765732f3131313031302f35796375763964712e706e67"><img src="https://camo.githubusercontent.com/bf29b6dad35757eb1bc4b47aba42881d10c581502dd3063f7b5f451c7c0c516c/687474703a2f2f7331342e64697265637475706c6f61642e6e65742f696d616765732f3131313031302f35796375763964712e706e67" alt="" data-canonical-src="http://s14.directupload.net/images/111010/5ycuv9dq.png" style="max-width: 100%;"></a></p>
<p dir="auto">Unexpected empty space appears between two sections "Pictures" and "Videos".</p>
<p dir="auto"><strong>Browsers:</strong><br>
Google Chrome 16.0.899.0 dev<br>
Firefox 7.0.1</p>
<p dir="auto"><strong>Operating System:</strong><br>
Ubuntu Linux 11.04</p>
<p dir="auto"><strong>Code example:</strong></p>
<div class="highlight highlight-text-html-basic notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="<!DOCTYPE html>
<html>
<head>
<title></title>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8">
<link rel="stylesheet" href="http://twitter.github.com/bootstrap/1.3.0/bootstrap.min.css">
<style type="text/css">
body {
padding-top: 20px;
}
</style>
</head>
<body>
<div class="container-fluid">
<div class="sidebar">
<div class="well">
<h5>Sidebar</h5>
<div style="height:700px">
</div>
</div>
</div>
<div class="content">
<h2>Some title here</h2>
<div style="margin:10px 0">
<a class=btn href="#">Button 1</a>
<a class="btn danger" href="#">Button 2</a>
</div>
<ul class=tabs>
<li class=active><a href="javascript:;">Tab 1</a></li>
<li><a href="javascript:;">Tab 1</a></li>
<li><a href="javascript:;">Tab 1</a></li>
<li><a href="javascript:;">Tab 1</a></li>
</ul>
<div style="margin:20px 5px;">
<h4>Pictures</h4>
<ul class="media-grid">
<li>
<a href="javascript:;">
<img class="thumbnail" src="http://placehold.it/210x150" alt="">
</a>
</li>
<li>
<a href="javascript:;">
<img class="thumbnail" src="http://placehold.it/210x150" alt="">
</a>
</li>
<li>
<a href="javascript:;">
<img class="thumbnail" src="http://placehold.it/210x150" alt="">
</a>
</li>
<li>
<a href="javascript:;">
<img class="thumbnail" src="http://placehold.it/210x150" alt="">
</a>
</li>
<li>
<a href="javascript:;">
<img class="thumbnail" src="http://placehold.it/210x150" alt="">
</a>
</li>
</ul>
</div>
<div style="margin:20px 5px;">
<h4>Videos</h4>
<ul class="media-grid">
<li>
<a href="javascript:;">
<img class="thumbnail" src="http://placehold.it/330x230" alt="">
</a>
</li>
<li>
<a href="javascript:;">
<img class="thumbnail" src="http://placehold.it/330x230" alt="">
</a>
</li>
</ul>
</div>
</div>
</div>
</body>
</html>"><pre class="notranslate"><span class="pl-c1"><!DOCTYPE html<span class="pl-kos">></span></span>
<span class="pl-kos"><</span><span class="pl-ent">html</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">head</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">title</span><span class="pl-kos">></span><span class="pl-kos"></</span><span class="pl-ent">title</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">meta</span> <span class="pl-c1">http-equiv</span>="<span class="pl-s">Content-Type</span>" <span class="pl-c1">content</span>="<span class="pl-s">text/html; charset=UTF-8</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">link</span> <span class="pl-c1">rel</span>="<span class="pl-s">stylesheet</span>" <span class="pl-c1">href</span>="<span class="pl-s">http://twitter.github.com/bootstrap/1.3.0/bootstrap.min.css</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">style</span> <span class="pl-c1">type</span>="<span class="pl-s">text/css</span>"<span class="pl-kos">></span>
<span class="pl-ent">body</span> {
<span class="pl-c1">padding-top</span><span class="pl-kos">:</span> <span class="pl-c1">20<span class="pl-smi">px</span></span>;
}
<span class="pl-kos"></</span><span class="pl-ent">style</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">head</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">body</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">div</span> <span class="pl-c1">class</span>="<span class="pl-s">container-fluid</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">div</span> <span class="pl-c1">class</span>="<span class="pl-s">sidebar</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">div</span> <span class="pl-c1">class</span>="<span class="pl-s">well</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">h5</span><span class="pl-kos">></span>Sidebar<span class="pl-kos"></</span><span class="pl-ent">h5</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">div</span> <span class="pl-c1">style</span>="<span class="pl-s">height:700px</span>"<span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">div</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">div</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">div</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">div</span> <span class="pl-c1">class</span>="<span class="pl-s">content</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">h2</span><span class="pl-kos">></span>Some title here<span class="pl-kos"></</span><span class="pl-ent">h2</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">div</span> <span class="pl-c1">style</span>="<span class="pl-s">margin:10px 0</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">class</span>=<span class="pl-s">btn</span> <span class="pl-c1">href</span>="<span class="pl-s">#</span>"<span class="pl-kos">></span>Button 1<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">class</span>="<span class="pl-s">btn danger</span>" <span class="pl-c1">href</span>="<span class="pl-s">#</span>"<span class="pl-kos">></span>Button 2<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">div</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">ul</span> <span class="pl-c1">class</span>=<span class="pl-s">tabs</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">li</span> <span class="pl-c1">class</span>=<span class="pl-s">active</span><span class="pl-kos">></span><span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">href</span>="<span class="pl-s">javascript:;</span>"<span class="pl-kos">></span>Tab 1<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span><span class="pl-kos"></</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">li</span><span class="pl-kos">></span><span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">href</span>="<span class="pl-s">javascript:;</span>"<span class="pl-kos">></span>Tab 1<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span><span class="pl-kos"></</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">li</span><span class="pl-kos">></span><span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">href</span>="<span class="pl-s">javascript:;</span>"<span class="pl-kos">></span>Tab 1<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span><span class="pl-kos"></</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">li</span><span class="pl-kos">></span><span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">href</span>="<span class="pl-s">javascript:;</span>"<span class="pl-kos">></span>Tab 1<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span><span class="pl-kos"></</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">ul</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">div</span> <span class="pl-c1">style</span>="<span class="pl-s">margin:20px 5px;</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">h4</span><span class="pl-kos">></span>Pictures<span class="pl-kos"></</span><span class="pl-ent">h4</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">ul</span> <span class="pl-c1">class</span>="<span class="pl-s">media-grid</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">href</span>="<span class="pl-s">javascript:;</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">img</span> <span class="pl-c1">class</span>="<span class="pl-s">thumbnail</span>" <span class="pl-c1">src</span>="<span class="pl-s">http://placehold.it/210x150</span>" <span class="pl-c1">alt</span>=""<span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">href</span>="<span class="pl-s">javascript:;</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">img</span> <span class="pl-c1">class</span>="<span class="pl-s">thumbnail</span>" <span class="pl-c1">src</span>="<span class="pl-s">http://placehold.it/210x150</span>" <span class="pl-c1">alt</span>=""<span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">href</span>="<span class="pl-s">javascript:;</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">img</span> <span class="pl-c1">class</span>="<span class="pl-s">thumbnail</span>" <span class="pl-c1">src</span>="<span class="pl-s">http://placehold.it/210x150</span>" <span class="pl-c1">alt</span>=""<span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">href</span>="<span class="pl-s">javascript:;</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">img</span> <span class="pl-c1">class</span>="<span class="pl-s">thumbnail</span>" <span class="pl-c1">src</span>="<span class="pl-s">http://placehold.it/210x150</span>" <span class="pl-c1">alt</span>=""<span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">href</span>="<span class="pl-s">javascript:;</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">img</span> <span class="pl-c1">class</span>="<span class="pl-s">thumbnail</span>" <span class="pl-c1">src</span>="<span class="pl-s">http://placehold.it/210x150</span>" <span class="pl-c1">alt</span>=""<span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">ul</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">div</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">div</span> <span class="pl-c1">style</span>="<span class="pl-s">margin:20px 5px;</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">h4</span><span class="pl-kos">></span>Videos<span class="pl-kos"></</span><span class="pl-ent">h4</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">ul</span> <span class="pl-c1">class</span>="<span class="pl-s">media-grid</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">href</span>="<span class="pl-s">javascript:;</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">img</span> <span class="pl-c1">class</span>="<span class="pl-s">thumbnail</span>" <span class="pl-c1">src</span>="<span class="pl-s">http://placehold.it/330x230</span>" <span class="pl-c1">alt</span>=""<span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">a</span> <span class="pl-c1">href</span>="<span class="pl-s">javascript:;</span>"<span class="pl-kos">></span>
<span class="pl-kos"><</span><span class="pl-ent">img</span> <span class="pl-c1">class</span>="<span class="pl-s">thumbnail</span>" <span class="pl-c1">src</span>="<span class="pl-s">http://placehold.it/330x230</span>" <span class="pl-c1">alt</span>=""<span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">a</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">li</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">ul</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">div</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">div</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">div</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">body</span><span class="pl-kos">></span>
<span class="pl-kos"></</span><span class="pl-ent">html</span><span class="pl-kos">></span></pre></div> | 0 |
<p dir="auto">see the screenshot<br>
<a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/69608605/156706522-63d03927-18a0-4c72-bf9b-e91c86aadecf.png"><img width="1919" alt="image" src="https://user-images.githubusercontent.com/69608605/156706522-63d03927-18a0-4c72-bf9b-e91c86aadecf.png" style="max-width: 100%;"></a></p>
<p dir="auto">❯ deno --version<br>
deno 1.19.1 (release, x86_64-apple-darwin)<br>
v8 9.9.115.7<br>
typescript 4.5.2</p>
<p dir="auto">test.js is</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="// Generated by CoffeeScript 2.6.1
(function() {
//!/usr/bin/env coffee
var i, ref;
ref = [1, 2, 3, 4, 5];
for (i of ref) {
console.log(i);
if (i > 3) {
throw new Error(i);
}
}
}).call(this);
//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJmaWxlIjoidGVzdC5qcyIsInNvdXJjZVJvb3QiOiIuLiIsInNvdXJjZXMiOlsic3JjL3Rlc3QuY29mZmVlIl0sIm5hbWVzIjpbXSwibWFwcGluZ3MiOiI7QUFBcUI7RUFBQTtBQUFBLE1BQUEsQ0FBQSxFQUFBOztBQUVyQjtFQUFBLEtBQUEsUUFBQTtJQUNFLE9BQU8sQ0FBQyxHQUFSLENBQVksQ0FBWjtJQUNBLElBQUcsQ0FBQSxHQUFJLENBQVA7TUFDRSxNQUFNLElBQUksS0FBSixDQUFVLENBQVYsRUFEUjs7RUFGRjtBQUZxQiIsInNvdXJjZXNDb250ZW50IjpbIiMhL3Vzci9iaW4vZW52IGNvZmZlZVxuXG5mb3IgaSBmcm9tIFsxLi41XVxuICBjb25zb2xlLmxvZyBpXG4gIGlmIGkgPiAzXG4gICAgdGhyb3cgbmV3IEVycm9yIGlcbiJdfQ==
//# sourceURL=/Users/z/rmw/rcp/test/src/test.coffee```"><pre class="notranslate"><code class="notranslate">// Generated by CoffeeScript 2.6.1
(function() {
//!/usr/bin/env coffee
var i, ref;
ref = [1, 2, 3, 4, 5];
for (i of ref) {
console.log(i);
if (i > 3) {
throw new Error(i);
}
}
}).call(this);
//# sourceMappingURL=data:application/json;base64,eyJ2ZXJzaW9uIjozLCJmaWxlIjoidGVzdC5qcyIsInNvdXJjZVJvb3QiOiIuLiIsInNvdXJjZXMiOlsic3JjL3Rlc3QuY29mZmVlIl0sIm5hbWVzIjpbXSwibWFwcGluZ3MiOiI7QUFBcUI7RUFBQTtBQUFBLE1BQUEsQ0FBQSxFQUFBOztBQUVyQjtFQUFBLEtBQUEsUUFBQTtJQUNFLE9BQU8sQ0FBQyxHQUFSLENBQVksQ0FBWjtJQUNBLElBQUcsQ0FBQSxHQUFJLENBQVA7TUFDRSxNQUFNLElBQUksS0FBSixDQUFVLENBQVYsRUFEUjs7RUFGRjtBQUZxQiIsInNvdXJjZXNDb250ZW50IjpbIiMhL3Vzci9iaW4vZW52IGNvZmZlZVxuXG5mb3IgaSBmcm9tIFsxLi41XVxuICBjb25zb2xlLmxvZyBpXG4gIGlmIGkgPiAzXG4gICAgdGhyb3cgbmV3IEVycm9yIGlcbiJdfQ==
//# sourceURL=/Users/z/rmw/rcp/test/src/test.coffee```
</code></pre></div> | <p dir="auto">So far I have been watching node compatibility features, wasm features, and ffi features all to serve one purpose for myself, to expose a a reliable, fast sqlite interface in deno. There are several good sqlite implementations that exist in deno userland thus far:</p>
<ul dir="auto">
<li><a href="https://deno.land/x/sqlite" rel="nofollow">https://deno.land/x/sqlite</a> (a wasm compilation)</li>
<li><a href="https://deno.land/x/sqlite3" rel="nofollow">https://deno.land/x/sqlite3</a> (an ffi binding)</li>
<li><a href="https://github.com/denodrivers/async-sqlite3">https://github.com/denodrivers/async-sqlite3</a> (ffi bindings using rusqlite)</li>
</ul>
<p dir="auto">These projects are usable, but they all have their own pitfalls. The wasm libraries are portable, but suffer a reduction in speed, and their memory usage is capped at 4GB. The FFI libraries are generally faster, but still cannot match native bindings, and have an added difficulty of requiring an external dependency. Developers of FFI libraries also have the headache of dealing with end users using different versions of sqlite underneath their js interface.</p>
<p dir="auto">Here is a small benchmark report given by the <code class="notranslate">async-sqlite3</code> library:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content=" insert 10_000 rows in bench.db: 1114.5801ms
query 10_000 rows in bench.db: 30.3004ms
x/sqlite3
insert 10_000 rows in bench.db: 1306.1578ms
query 10_000 rows in bench.db: 163.2021ms
node-sqlite3
insert 10_000 rows in bench.db: 1165.0645ms
query 10_000 rows in bench.db: 8.1728ms
better-sqlite3
insert 10_000 rows in bench.db: 592.1117ms
query 10_000 rows in bench.db: 11.3483ms
x/sqlite
insert 10_000 rows in bench.db: 28672.3261ms
query 10_000 rows in bench.db: 16.8747ms"><pre lang="deno_sqlite3" class="notranslate"><code class="notranslate"> insert 10_000 rows in bench.db: 1114.5801ms
query 10_000 rows in bench.db: 30.3004ms
x/sqlite3
insert 10_000 rows in bench.db: 1306.1578ms
query 10_000 rows in bench.db: 163.2021ms
node-sqlite3
insert 10_000 rows in bench.db: 1165.0645ms
query 10_000 rows in bench.db: 8.1728ms
better-sqlite3
insert 10_000 rows in bench.db: 592.1117ms
query 10_000 rows in bench.db: 11.3483ms
x/sqlite
insert 10_000 rows in bench.db: 28672.3261ms
query 10_000 rows in bench.db: 16.8747ms
</code></pre></div>
<p dir="auto">Wherever I see a javascript interface to sqlite, better-sqlite3 always seems to win out. It uses NAN (Native Abstractions for Node.js). Deno already includes a rusqlite implementation inside it for things like <code class="notranslate">localStorage</code>, so exposing the library to users would not require pulling more dependencies into deno, just exposing more of the underlying systems. I feel (but dont know for certain) that if we had native rust v8 bindings to a library inside deno core, we could achieve some very impressive speeds, and avoid some of the traps that come with wasm compilations.</p>
<p dir="auto">The interface could be very simple, just exposing prepared statements, database open & close and query execution. That alone would allow deno developers to write their own database abstractions with a solid foundation. The existing sqlite library authors do not need to go away if this is implemented,. Of course, an STD implementation of a sqlite database would be fantastic, but I think starting with the building blocks here makes the most sense.</p>
<h2 dir="auto">drawbacks to deno exposing rusqlite</h2>
<p dir="auto">So far as I can tell, here are the arguments against this:</p>
<ol dir="auto">
<li>This is another interface to maintain, and <code class="notranslate">localStorage</code> has its own special considerations, so making rusqlite exposed generically would be difficult</li>
<li>being able to pick and choose your version of sqlite is actually a feature, not a bug. Tying sqlite version to the deno version limits the flexibility of sqlite</li>
</ol>
<p dir="auto">I think these are valid points, but they certainly wouldnt be true for me, but Ill let others speak to their own concerns.</p> | 0 |
<p dir="auto">I've had a spider running pretty consistently for over a year now and just recently had the following error pop up:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="UserWarning: cookielib bug!
Traceback (most recent call last):
File "/usr/lib/python2.7/cookielib.py", line 1582, in make_cookies
parse_ns_headers(ns_hdrs), request)
File "/usr/lib/python2.7/cookielib.py", line 485, in parse_ns_headers
v = http2time(_strip_quotes(v)) # None if invalid
File "/usr/lib/python2.7/cookielib.py", line 266, in http2time
return _str2time(day, mon, yr, hr, min, sec, tz)
File "/usr/lib/python2.7/cookielib.py", line 176, in _str2time
t = _timegm((yr, mon, day, hr, min, sec, tz))
File "/usr/lib/python2.7/cookielib.py", line 76, in _timegm
return timegm(tt)
File "/usr/lib/python2.7/calendar.py", line 613, in timegm
days = datetime.date(year, month, 1).toordinal() - _EPOCH_ORD + day - 1
ValueError: year is out of range
[cookielib.py:1584]"><pre class="notranslate"><code class="notranslate">UserWarning: cookielib bug!
Traceback (most recent call last):
File "/usr/lib/python2.7/cookielib.py", line 1582, in make_cookies
parse_ns_headers(ns_hdrs), request)
File "/usr/lib/python2.7/cookielib.py", line 485, in parse_ns_headers
v = http2time(_strip_quotes(v)) # None if invalid
File "/usr/lib/python2.7/cookielib.py", line 266, in http2time
return _str2time(day, mon, yr, hr, min, sec, tz)
File "/usr/lib/python2.7/cookielib.py", line 176, in _str2time
t = _timegm((yr, mon, day, hr, min, sec, tz))
File "/usr/lib/python2.7/cookielib.py", line 76, in _timegm
return timegm(tt)
File "/usr/lib/python2.7/calendar.py", line 613, in timegm
days = datetime.date(year, month, 1).toordinal() - _EPOCH_ORD + day - 1
ValueError: year is out of range
[cookielib.py:1584]
</code></pre></div>
<p dir="auto">The problem is that this error crashes the spider process completely. The spider is running within scrapyd.</p>
<p dir="auto">Has anyone seen this before? I'm running Scrapy 0.24.4 on this instance due to an SSL issue that prevented me from upgrading.</p> | <p dir="auto">When using the example from <a href="http://doc.scrapy.org/en/latest/topics/practices.html" rel="nofollow">http://doc.scrapy.org/en/latest/topics/practices.html</a> "Run Scrapy from a script" using Windows XP and Python 2.7 it seems the item_scraped passed signal is not fired. The scraping works and shows in its stats that "item_scraped_count" is 60, yet not a single time the associated function gets called.<br>
I connected it using<br>
crawler.signals.connect(self._item_passed, signal=signals.item_scraped)</p>
<p dir="auto">I also tried<br>
crawler.signals.connect(self._item_passed, signal=signals.item_passed)<br>
dispatcher.connect(self._item_passed_2, signals.item_scraped)<br>
dispatcher.connect(self._item_passed_2, signals.item_passed)<br>
which didn't get called either.</p>
<p dir="auto">item_dropped isn't called either.</p>
<p dir="auto">I have no explicit pipelines defined, just a single basic spider which works fine as seen in the debug logs.</p>
<p dir="auto">Connecting other signals like<br>
crawler.signals.connect(self._spider_opened, signal=signals.spider_opened)<br>
works on the other hand.</p>
<p dir="auto">The main call is:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="def _item_passed(self, item, response, spider):
print "PASSED"
def _item_passed_2(self, item, response, spider):
print "PASSED-DISP"
def _item_dropped(self, item, spider, exception):
print "dropped"
def _spider_opened(spider):
print "spider opened"
def run(self):
spider = TestSpider()
settings = get_project_settings()
crawler = Crawler(settings)
crawler.install()
crawler.signals.connect(reactor.stop, signal=signals.spider_closed)
crawler.signals.connect(self._item_passed, signal=signals.item_scraped)
crawler.signals.connect(self._item_passed, signal=signals.item_passed)
crawler.signals.connect(self._item_dropped, signal=signals.item_dropped)
crawler.signals.connect(self._spider_opened, signal=signals.spider_opened)
crawler.configure()
crawler.crawl(spider)
dispatcher.connect(self._item_passed_2, signals.item_passed)
dispatcher.connect(self._item_passed_2, signals.item_scraped)
crawler.start()
log.start(loglevel=log.INFO)
reactor.run()"><pre class="notranslate"><code class="notranslate">def _item_passed(self, item, response, spider):
print "PASSED"
def _item_passed_2(self, item, response, spider):
print "PASSED-DISP"
def _item_dropped(self, item, spider, exception):
print "dropped"
def _spider_opened(spider):
print "spider opened"
def run(self):
spider = TestSpider()
settings = get_project_settings()
crawler = Crawler(settings)
crawler.install()
crawler.signals.connect(reactor.stop, signal=signals.spider_closed)
crawler.signals.connect(self._item_passed, signal=signals.item_scraped)
crawler.signals.connect(self._item_passed, signal=signals.item_passed)
crawler.signals.connect(self._item_dropped, signal=signals.item_dropped)
crawler.signals.connect(self._spider_opened, signal=signals.spider_opened)
crawler.configure()
crawler.crawl(spider)
dispatcher.connect(self._item_passed_2, signals.item_passed)
dispatcher.connect(self._item_passed_2, signals.item_scraped)
crawler.start()
log.start(loglevel=log.INFO)
reactor.run()
</code></pre></div> | 0 |
<p dir="auto">由于安全问题, 需要关闭 dubbo telnet调试功能</p> | <ul class="contains-task-list">
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have searched the <a href="https://github.com/apache/dubbo/issues">issues</a> of this repository and believe that this is not a duplicate.</li>
<li class="task-list-item"><input type="checkbox" id="" disabled="" class="task-list-item-checkbox" checked=""> I have checked the <a href="https://github.com/apache/dubbo/blob/master/FAQ.md">FAQ</a> of this repository and believe that this is not a duplicate.</li>
</ul>
<h3 dir="auto">Environment</h3>
<ul dir="auto">
<li>Dubbo version: 2.5.3</li>
<li>Operating System version: centos7</li>
<li>Java version: 1.8</li>
</ul>
<h3 dir="auto">Steps to reproduce this issue</h3>
<ol dir="auto">
<li>所有配置都不调整,仅升级环境的jdk版本从1.7升级至1.8<br>
2.qps压力为200左右,service rt 2ms</li>
<li>运行一段时间<br>
Caused by: java.util.concurrent.RejectedExecutionException: Thread pool is EXHAUSTED! Thread Name: DubboServerHandler-10.27.70.208:18707, Pool Size: 200 (active: 200, core: 200, max: 200, largest: 200), Task: 323413 (completed: 323213), Executor status:(isShutdown:false, isTerminated:false, isTerminating:false), in dubbo://10.27.70.208:18707!<br>
调整 threads="1000" dispatcher="message" 依然是运行一段时间会爆掉</li>
</ol>
<p dir="auto">Pls. provide [GitHub address] to reproduce this issue.</p>
<h3 dir="auto">Expected Result</h3>
<p dir="auto">稳定运行</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="2019-08-30 10:16:59,071 WARN [org.jboss.netty.channel.DefaultChannelPipeline] [DUBBO] An exception was thrown by a user handler while handling an exception event ([id: 0xdea80c4e, /10.31.120.115:50188 :> /10.27.70.208:18707] EXCEPTION: com.alibaba.dubbo.remoting.ExecutionException: class com.alibaba.dubbo.remoting.transport.dispatcher.all.AllChannelHandler error when process disconnected event .), dubbo version: 2.5.3, current host: 127.0.0.1
com.alibaba.dubbo.remoting.ExecutionException: class com.alibaba.dubbo.remoting.transport.dispatcher.all.AllChannelHandler error when process caught event .
at com.alibaba.dubbo.remoting.transport.dispatcher.all.AllChannelHandler.caught(AllChannelHandler.java:67)
at com.alibaba.dubbo.remoting.transport.AbstractChannelHandlerDelegate.caught(AbstractChannelHandlerDelegate.java:44)
at com.alibaba.dubbo.remoting.transport.AbstractChannelHandlerDelegate.caught(AbstractChannelHandlerDelegate.java:44)
at com.alibaba.dubbo.remoting.transport.AbstractPeer.caught(AbstractPeer.java:127)
at com.alibaba.dubbo.remoting.transport.netty.NettyHandler.exceptionCaught(NettyHandler.java:112)
at com.alibaba.dubbo.remoting.transport.netty.NettyCodecAdapter$InternalDecoder.exceptionCaught(NettyCodecAdapter.java:165)
at org.jboss.netty.channel.Channels.fireExceptionCaught(Channels.java:525)
at org.jboss.netty.channel.AbstractChannelSink.exceptionCaught(AbstractChannelSink.java:48)
at org.jboss.netty.channel.Channels.fireChannelDisconnected(Channels.java:396)
at org.jboss.netty.channel.socket.nio.AbstractNioWorker.close(AbstractNioWorker.java:361)
at org.jboss.netty.channel.socket.nio.NioWorker.read(NioWorker.java:93)
at org.jboss.netty.channel.socket.nio.AbstractNioWorker.process(AbstractNioWorker.java:109)
at org.jboss.netty.channel.socket.nio.AbstractNioSelector.run(AbstractNioSelector.java:312)
at org.jboss.netty.channel.socket.nio.AbstractNioWorker.run(AbstractNioWorker.java:90)
at org.jboss.netty.channel.socket.nio.NioWorker.run(NioWorker.java:178)
at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149)
at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624)
at java.lang.Thread.run(Thread.java:748)
Caused by: java.util.concurrent.RejectedExecutionException: Thread pool is EXHAUSTED! Thread Name: DubboServerHandler-10.27.70.208:18707, Pool Size: 200 (active: 200, core: 200, max: 200, largest: 200), Task: 323413 (completed: 323213), Executor status:(isShutdown:false, isTerminated:false, isTerminating:false), in dubbo://10.27.70.208:18707!
at com.alibaba.dubbo.common.threadpool.support.AbortPolicyWithReport.rejectedExecution(AbortPolicyWithReport.java:53)
at java.util.concurrent.ThreadPoolExecutor.reject(ThreadPoolExecutor.java:830)
at java.util.concurrent.ThreadPoolExecutor.execute(ThreadPoolExecutor.java:1379)
at com.alibaba.dubbo.remoting.transport.dispatcher.all.AllChannelHandler.caught(AllChannelHandler.java:65)
... 17 more"><pre class="notranslate"><code class="notranslate">2019-08-30 10:16:59,071 WARN [org.jboss.netty.channel.DefaultChannelPipeline] [DUBBO] An exception was thrown by a user handler while handling an exception event ([id: 0xdea80c4e, /10.31.120.115:50188 :> /10.27.70.208:18707] EXCEPTION: com.alibaba.dubbo.remoting.ExecutionException: class com.alibaba.dubbo.remoting.transport.dispatcher.all.AllChannelHandler error when process disconnected event .), dubbo version: 2.5.3, current host: 127.0.0.1
com.alibaba.dubbo.remoting.ExecutionException: class com.alibaba.dubbo.remoting.transport.dispatcher.all.AllChannelHandler error when process caught event .
at com.alibaba.dubbo.remoting.transport.dispatcher.all.AllChannelHandler.caught(AllChannelHandler.java:67)
at com.alibaba.dubbo.remoting.transport.AbstractChannelHandlerDelegate.caught(AbstractChannelHandlerDelegate.java:44)
at com.alibaba.dubbo.remoting.transport.AbstractChannelHandlerDelegate.caught(AbstractChannelHandlerDelegate.java:44)
at com.alibaba.dubbo.remoting.transport.AbstractPeer.caught(AbstractPeer.java:127)
at com.alibaba.dubbo.remoting.transport.netty.NettyHandler.exceptionCaught(NettyHandler.java:112)
at com.alibaba.dubbo.remoting.transport.netty.NettyCodecAdapter$InternalDecoder.exceptionCaught(NettyCodecAdapter.java:165)
at org.jboss.netty.channel.Channels.fireExceptionCaught(Channels.java:525)
at org.jboss.netty.channel.AbstractChannelSink.exceptionCaught(AbstractChannelSink.java:48)
at org.jboss.netty.channel.Channels.fireChannelDisconnected(Channels.java:396)
at org.jboss.netty.channel.socket.nio.AbstractNioWorker.close(AbstractNioWorker.java:361)
at org.jboss.netty.channel.socket.nio.NioWorker.read(NioWorker.java:93)
at org.jboss.netty.channel.socket.nio.AbstractNioWorker.process(AbstractNioWorker.java:109)
at org.jboss.netty.channel.socket.nio.AbstractNioSelector.run(AbstractNioSelector.java:312)
at org.jboss.netty.channel.socket.nio.AbstractNioWorker.run(AbstractNioWorker.java:90)
at org.jboss.netty.channel.socket.nio.NioWorker.run(NioWorker.java:178)
at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149)
at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624)
at java.lang.Thread.run(Thread.java:748)
Caused by: java.util.concurrent.RejectedExecutionException: Thread pool is EXHAUSTED! Thread Name: DubboServerHandler-10.27.70.208:18707, Pool Size: 200 (active: 200, core: 200, max: 200, largest: 200), Task: 323413 (completed: 323213), Executor status:(isShutdown:false, isTerminated:false, isTerminating:false), in dubbo://10.27.70.208:18707!
at com.alibaba.dubbo.common.threadpool.support.AbortPolicyWithReport.rejectedExecution(AbortPolicyWithReport.java:53)
at java.util.concurrent.ThreadPoolExecutor.reject(ThreadPoolExecutor.java:830)
at java.util.concurrent.ThreadPoolExecutor.execute(ThreadPoolExecutor.java:1379)
at com.alibaba.dubbo.remoting.transport.dispatcher.all.AllChannelHandler.caught(AllChannelHandler.java:65)
... 17 more
</code></pre></div> | 0 |
<p dir="auto"><a href="https://github.com/microsoft/PowerToys/files/5020879/2020-08-04.txt">2020-08-04.txt</a></p>
<p dir="auto">Version: 1.0.0<br>
OS Version: Microsoft Windows NT 10.0.19041.0<br>
IntPtr Length: 8<br>
x64: True<br>
Date: 08/04/2020 09:58:06<br>
Exception:<br>
System.ObjectDisposedException: Cannot access a disposed object.<br>
Object name: 'Timer'.<br>
at System.Timers.Timer.set_Enabled(Boolean value)<br>
at System.Timers.Timer.Start()<br>
at PowerLauncher.MainWindow.OnVisibilityChanged(Object sender, DependencyPropertyChangedEventArgs e)<br>
at System.Windows.UIElement.RaiseDependencyPropertyChanged(EventPrivateKey key, DependencyPropertyChangedEventArgs args)<br>
at System.Windows.UIElement.OnIsVisibleChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)<br>
at System.Windows.DependencyObject.OnPropertyChanged(DependencyPropertyChangedEventArgs e)<br>
at System.Windows.FrameworkElement.OnPropertyChanged(DependencyPropertyChangedEventArgs e)<br>
at System.Windows.DependencyObject.NotifyPropertyChange(DependencyPropertyChangedEventArgs args)<br>
at System.Windows.UIElement.UpdateIsVisibleCache()<br>
at System.Windows.PresentationSource.RootChanged(Visual oldRoot, Visual newRoot)<br>
at System.Windows.Interop.HwndSource.set_RootVisualInternal(Visual value)<br>
at System.Windows.Interop.HwndSource.set_RootVisual(Visual value)<br>
at System.Windows.Window.SetRootVisual()<br>
at System.Windows.Window.SetRootVisualAndUpdateSTC()<br>
at System.Windows.Window.SetupInitialState(Double requestedTop, Double requestedLeft, Double requestedWidth, Double requestedHeight)<br>
at System.Windows.Window.CreateSourceWindow(Boolean duringShow)<br>
at System.Windows.Window.CreateSourceWindowDuringShow()<br>
at System.Windows.Window.SafeCreateWindowDuringShow()<br>
at System.Windows.Window.ShowHelper(Object booleanBox)<br>
at System.Windows.Threading.ExceptionWrapper.InternalRealCall(Delegate callback, Object args, Int32 numArgs)<br>
at System.Windows.Threading.ExceptionWrapper.TryCatchWhen(Object source, Delegate callback, Object args, Int32 numArgs, Delegate catchHandler)</p> | <p dir="auto">Popup tells me to give y'all this.</p>
<p dir="auto"><a href="https://github.com/microsoft/PowerToys/files/5009460/2020-07-31.txt">2020-07-31.txt</a></p>
<p dir="auto">Version: 1.0.0<br>
OS Version: Microsoft Windows NT 10.0.19041.0<br>
IntPtr Length: 8<br>
x64: True<br>
Date: 07/31/2020 17:29:59<br>
Exception:<br>
System.ObjectDisposedException: Cannot access a disposed object.<br>
Object name: 'Timer'.<br>
at System.Timers.Timer.set_Enabled(Boolean value)<br>
at System.Timers.Timer.Start()<br>
at PowerLauncher.MainWindow.OnVisibilityChanged(Object sender, DependencyPropertyChangedEventArgs e)<br>
at System.Windows.UIElement.RaiseDependencyPropertyChanged(EventPrivateKey key, DependencyPropertyChangedEventArgs args)<br>
at System.Windows.UIElement.OnIsVisibleChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)<br>
at System.Windows.DependencyObject.OnPropertyChanged(DependencyPropertyChangedEventArgs e)<br>
at System.Windows.FrameworkElement.OnPropertyChanged(DependencyPropertyChangedEventArgs e)<br>
at System.Windows.DependencyObject.NotifyPropertyChange(DependencyPropertyChangedEventArgs args)<br>
at System.Windows.UIElement.UpdateIsVisibleCache()<br>
at System.Windows.PresentationSource.RootChanged(Visual oldRoot, Visual newRoot)<br>
at System.Windows.Interop.HwndSource.set_RootVisualInternal(Visual value)<br>
at System.Windows.Interop.HwndSource.set_RootVisual(Visual value)<br>
at System.Windows.Window.SetRootVisual()<br>
at System.Windows.Window.SetRootVisualAndUpdateSTC()<br>
at System.Windows.Window.SetupInitialState(Double requestedTop, Double requestedLeft, Double requestedWidth, Double requestedHeight)<br>
at System.Windows.Window.CreateSourceWindow(Boolean duringShow)<br>
at System.Windows.Window.CreateSourceWindowDuringShow()<br>
at System.Windows.Window.SafeCreateWindowDuringShow()<br>
at System.Windows.Window.ShowHelper(Object booleanBox)<br>
at System.Windows.Threading.ExceptionWrapper.InternalRealCall(Delegate callback, Object args, Int32 numArgs)<br>
at System.Windows.Threading.ExceptionWrapper.TryCatchWhen(Object source, Delegate callback, Object args, Int32 numArgs, Delegate catchHandler)</p> | 1 |
<p dir="auto">I noticed that <a href="https://developer.mozilla.org/en-US/docs/Web/API/CacheStorage" rel="nofollow">CacheStorage</a> hasn't been implemented yet, so here's a task to implement it. Thank you for all your hard work! :)</p> | <p dir="auto">To build a production ready cloudflare worker/ faas alternative with deno it would be very hard to use the current deno web worker implementation. (basically starting one webworker per handler and then dispatching messages from the main script)<br>
i see some pain points implementing the registration / update workflows that browsers have in the main script, but i think finding a good solution there would REALLY pay of well:</p>
<ul dir="auto">
<li>custom caching strategies for fetch events</li>
<li>resourceful lifetime management of external 'processes' like browsers do with service workers, without having to manually start and stop the web workers</li>
<li>handling, rewriting, transforming, monitoring the requests that imported files make (huge number of possibilities here)</li>
</ul>
<p dir="auto">would love to help, but i dont know rust (yet) and not even at what point in the architecture this would need to be implemented</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/main/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/main/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">Problem Description</h3>
<p dir="auto">window.prompt is not implemented and may break websites that rely on the feature<br>
window.alert etc. are also subpar compared to e.g. Google Chrome implementation</p>
<h3 dir="auto">Proposed Solution</h3>
<p dir="auto">Offer middleware API to define Custom behaviour of these APIs.<br>
The default can stay how it is but it might be good to define custom functions that those window calls then get routed to.</p>
<h3 dir="auto">Alternatives Considered</h3>
<p dir="auto">I know it's not too important for the content of the App but for things like building an In-App browser etc., the experience is currently a lot worse than Google Chrome and similar.</p>
<h3 dir="auto">Additional Information</h3>
<p dir="auto"><em>No response</em></p> | <p dir="auto"><strong>Environment:</strong> Windows Sever 2016 + VS 2017.2</p>
<h3 dir="auto">How to reproduce</h3>
<ol dir="auto">
<li>git clone <a href="https://github.com/electron/electron.git">https://github.com/electron/electron.git</a> D:\Electron\src</li>
<li>Open a clean command prompt and browse to D:\Electron\src</li>
<li>python script\bootstrap.py -v --target_arch=ia32</li>
</ol>
<h3 dir="auto">Expected behavior</h3>
<p dir="auto">bootstrap.py run successfully</p>
<h3 dir="auto">Actual behavior</h3>
<p dir="auto">The full log info please see attachment.<br>
<a href="https://github.com/electron/electron/files/1144224/electron_x86_bootstrap.txt">electron_x86_bootstrap.txt</a></p>
<p dir="auto">The system cannot find the path specified.<br>
Traceback (most recent call last):<br>
File "vendor\gyp\gyp_main.py", line 16, in <br>
sys.exit(gyp.script_main())<br>
File "vendor\gyp\pylib\gyp_<em>init</em>_.py", line 545, in script_main<br>
return main(sys.argv[1:])<br>
File "vendor\gyp\pylib\gyp_<em>init</em>_.py", line 538, in main<br>
return gyp_main(args)<br>
File "vendor\gyp\pylib\gyp_<em>init</em>_.py", line 514, in gyp_main<br>
options.duplicate_basename_check)<br>
File "vendor\gyp\pylib\gyp_<em>init</em>_.py", line 98, in Load<br>
generator.CalculateVariables(default_variables, params)<br>
File "vendor\gyp\pylib\gyp\generator\ninja.py", line 1685, in CalculateVariables<br>
gyp.msvs_emulation.CalculateCommonVariables(default_variables, params)<br>
File "vendor\gyp\pylib\gyp\msvs_emulation.py", line 1083, in CalculateCommonVariables<br>
msvs_version = gyp.msvs_emulation.GetVSVersion(generator_flags)<br>
File "vendor\gyp\pylib\gyp\msvs_emulation.py", line 934, in GetVSVersion<br>
allow_fallback=False)<br>
File "vendor\gyp\pylib\gyp\MSVSVersion.py", line 447, in SelectVisualStudioVersion<br>
raise ValueError('Could not locate Visual Studio installation.')<br>
ValueError: Could not locate Visual Studio installation.<br>
Running in verbose mode<br>
git submodule sync --recursive<br>
git submodule update --init --recursive<br>
C:\tools\python2\python.exe setup.py build<br>
C:\tools\python2\python.exe setup.py build<br>
npm.cmd install --verbose<br>
git submodule status vendor/libchromiumcontent<br>
<a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/electron/electron/commit/8cfd08f84e415f3c8e5fde061f8e17400ef8aa7f/hovercard" href="https://github.com/electron/electron/commit/8cfd08f84e415f3c8e5fde061f8e17400ef8aa7f"><tt>8cfd08f</tt></a> vendor/libchromiumcontent (v51.0.2704.61-375-g8cfd08f)<br>
C:\tools\python2\python.exe D:\Electron\src\script\update.py<br>
None<br>
Traceback (most recent call last):<br>
File "script\bootstrap.py", line 249, in <br>
sys.exit(main())<br>
File "script\bootstrap.py", line 64, in main<br>
run_update(defines, args.msvs)<br>
File "script\bootstrap.py", line 226, in run_update<br>
execute_stdout(args)<br>
File "D:\Electron\src\script\lib\util.py", line 184, in execute_stdout<br>
raise e<br>
subprocess.CalledProcessError: Command '['C:\tools\python2\python.exe', 'D:\Electron\src\script\update.py']' returned non-zero exit status 1</p> | 0 |
<h3 dir="auto">Apache Airflow version</h3>
<p dir="auto">main (development)</p>
<h3 dir="auto">What happened</h3>
<p dir="auto">I have 16 dags which all update the same dataset. They're set to finish at the same time (when the seconds on the clock are 00). About three quarters of them behave as expected, but the other quarter fails with errors like:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="[2022-07-21, 06:06:00 UTC] {standard_task_runner.py:97} ERROR - Failed to execute job 8 for task increment_source ((psycopg2.errors.UniqueViolation) duplicate key value violates unique constraint "dataset_dag_run_queue_pkey"
DETAIL: Key (dataset_id, target_dag_id)=(1, simple_dataset_sink) already exists.
[SQL: INSERT INTO dataset_dag_run_queue (dataset_id, target_dag_id, created_at) VALUES (%(dataset_id)s, %(target_dag_id)s, %(created_at)s)]
[parameters: {'dataset_id': 1, 'target_dag_id': 'simple_dataset_sink', 'created_at': datetime.datetime(2022, 7, 21, 6, 6, 0, 131730, tzinfo=Timezone('UTC'))}]
(Background on this error at: https://sqlalche.me/e/14/gkpj); 375)"><pre class="notranslate"><code class="notranslate">[2022-07-21, 06:06:00 UTC] {standard_task_runner.py:97} ERROR - Failed to execute job 8 for task increment_source ((psycopg2.errors.UniqueViolation) duplicate key value violates unique constraint "dataset_dag_run_queue_pkey"
DETAIL: Key (dataset_id, target_dag_id)=(1, simple_dataset_sink) already exists.
[SQL: INSERT INTO dataset_dag_run_queue (dataset_id, target_dag_id, created_at) VALUES (%(dataset_id)s, %(target_dag_id)s, %(created_at)s)]
[parameters: {'dataset_id': 1, 'target_dag_id': 'simple_dataset_sink', 'created_at': datetime.datetime(2022, 7, 21, 6, 6, 0, 131730, tzinfo=Timezone('UTC'))}]
(Background on this error at: https://sqlalche.me/e/14/gkpj); 375)
</code></pre></div>
<p dir="auto">I've prepaired a gist with the details: <a href="https://gist.github.com/MatrixManAtYrService/b5e58be0949eab9180608d0760288d4d">https://gist.github.com/MatrixManAtYrService/b5e58be0949eab9180608d0760288d4d</a></p>
<h3 dir="auto">What you think should happen instead</h3>
<p dir="auto">All dags should succeed</p>
<h3 dir="auto">How to reproduce</h3>
<p dir="auto">See this gist: <a href="https://gist.github.com/MatrixManAtYrService/b5e58be0949eab9180608d0760288d4d">https://gist.github.com/MatrixManAtYrService/b5e58be0949eab9180608d0760288d4d</a></p>
<p dir="auto">Summary: Unpause all of the dags which we expect to collide, wait two minutes. Some will have collided.</p>
<h3 dir="auto">Operating System</h3>
<p dir="auto">docker/debian</p>
<h3 dir="auto">Versions of Apache Airflow Providers</h3>
<p dir="auto">n/a</p>
<h3 dir="auto">Deployment</h3>
<p dir="auto">Astronomer</p>
<h3 dir="auto">Deployment details</h3>
<p dir="auto"><code class="notranslate">astro dev start</code> targeting commit: <a class="commit-link" data-hovercard-type="commit" data-hovercard-url="https://github.com/apache/airflow/commit/cff7d9194f549d801947f47dfce4b5d6870bfaaa/hovercard" href="https://github.com/apache/airflow/commit/cff7d9194f549d801947f47dfce4b5d6870bfaaa"><tt>cff7d91</tt></a></p>
<p dir="auto">be sure to have <code class="notranslate">pause</code> in requirements.txt</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"> 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">Description</h3>
<p dir="auto">Currently google cloud provider restricts the version of google-video-intellegiance library to >=1.7.0,<2.0.0.<br>
However this version old and latest available version is 2.8.1.<br>
This is also mentioend as one of the - <a href="https://github.com/apache/airflow/blob/00fd789258b48d92b16294b598956db271bc7b3d/airflow/providers/google/provider.yaml#L65">ToDos </a></p>
<h3 dir="auto">Use case/motivation</h3>
<p dir="auto">Version >2.0.0 offers features and v2.0.0 is couple of years old.</p>
<h3 dir="auto">Related issues</h3>
<p dir="auto"><em>No response</em></p>
<h3 dir="auto">Are you willing to submit a 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 |
<blockquote>
<p dir="auto">Issue originally made by Chet Corcos (chet)</p>
</blockquote>
<h3 dir="auto">Bug information</h3>
<ul dir="auto">
<li><strong>Babel version:</strong> latest</li>
<li><strong>Node version:</strong> latest</li>
<li><strong>npm version:</strong> latest</li>
</ul>
<h3 dir="auto">Options</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="I want to create a folder that hides the complexity of npm and babel and all that. But babel doesnt seem to be happy about that. See the code snippet:"><pre class="notranslate"><code class="notranslate">I want to create a folder that hides the complexity of npm and babel and all that. But babel doesnt seem to be happy about that. See the code snippet:
</code></pre></div>
<h3 dir="auto">Input code</h3>
<div class="highlight highlight-source-js notranslate position-relative overflow-auto" dir="auto" data-snippet-clipboard-copy-content="mkdir babel-issue
cd babel-issue
# hide the setup complexity in some hidden folder
mkdir .setup
mkdir src
# a basic node app (that uses babel)
cd src
echo "console.log('hello world');" > index.js
# hide the configuration stuff
cd ../.setup
npm init -y
npm install --save-dev babel-cli babel-preset-es2015
# run babel on the node app
babel-node ../src/index.js --presets es2015
# Error: Couldn't find preset "es2015" relative to directory "/Users/chet/Desktop/babel-issue/src"
ln -s ../src .
babel-node src/index.js --presets es2015
# Error: Couldn't find preset "es2015" relative to directory "/Users/chet/Desktop/babel-issue/src""><pre class="notranslate"><span class="pl-s1">mkdir</span> <span class="pl-s1">babel</span><span class="pl-c1">-</span><span class="pl-s1">issue</span>
<span class="pl-s1">cd</span> <span class="pl-s1">babel</span><span class="pl-c1">-</span><span class="pl-s1">issue</span>
# <span class="pl-s1">hide</span> <span class="pl-s1">the</span> <span class="pl-s1">setup</span> <span class="pl-s1">complexity</span> <span class="pl-k">in</span> <span class="pl-s1">some</span> <span class="pl-s1">hidden</span> <span class="pl-s1">folder</span>
<span class="pl-s1">mkdir</span> <span class="pl-kos">.</span><span class="pl-c1">setup</span>
<span class="pl-s1">mkdir</span> <span class="pl-s1">src</span>
# <span class="pl-s1">a</span> <span class="pl-s1">basic</span> <span class="pl-s1">node</span> <span class="pl-en">app</span> <span class="pl-kos">(</span><span class="pl-s1">that</span> <span class="pl-s1">uses</span> <span class="pl-s1">babel</span><span class="pl-kos">)</span>
<span class="pl-s1">cd</span><span class="pl-kos"></span> <span class="pl-s1">src</span>
<span class="pl-s1">echo</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">'hello world'</span><span class="pl-kos">)</span><span class="pl-kos">;</span><span class="pl-s">" > index.js</span>
<span class="pl-s"></span>
<span class="pl-s"># hide the configuration stuff</span>
<span class="pl-s">cd ../.setup</span>
<span class="pl-s">npm init -y</span>
<span class="pl-s">npm install --save-dev babel-cli babel-preset-es2015</span>
<span class="pl-s"></span>
<span class="pl-s"># run babel on the node app</span>
<span class="pl-s">babel-node ../src/index.js --presets es2015</span>
<span class="pl-s"># Error: Couldn't find preset "</span><span class="pl-s1">es2015</span><span class="pl-s">" relative to directory "</span><span class="pl-c1">/</span><span class="pl-v">Users</span><span class="pl-c1">/</span><span class="pl-s1">chet</span><span class="pl-c1">/</span><span class="pl-v">Desktop</span><span class="pl-c1">/</span><span class="pl-s1">babel</span><span class="pl-c1">-</span><span class="pl-s1">issue</span><span class="pl-c1">/</span><span class="pl-s1">src</span><span class="pl-s">"</span>
<span class="pl-s"></span>
<span class="pl-s">ln -s ../src .</span>
<span class="pl-s">babel-node src/index.js --presets es2015</span>
<span class="pl-s"># Error: Couldn't find preset "</span><span class="pl-s1">es2015</span><span class="pl-s">" relative to directory "</span><span class="pl-c1">/</span><span class="pl-v">Users</span><span class="pl-c1">/</span><span class="pl-s1">chet</span><span class="pl-c1">/</span><span class="pl-v">Desktop</span><span class="pl-c1">/</span><span class="pl-s1">babel</span><span class="pl-c1">-</span><span class="pl-s1">issue</span><span class="pl-c1">/</span><span class="pl-s1">src</span>"</pre></div>
<h3 dir="auto">Description</h3> | <p dir="auto">I'm trying to run <code class="notranslate">babel</code> on a JSX file outside the project root (this happens in unit test when using a temporary directory under <code class="notranslate">/private/tmp</code>). It seems that babel fails to find presets installed into the same <code class="notranslate">node_modules</code> directory as <code class="notranslate">babel-cli</code>:</p>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="michi ~/Documents$ mkdir babel-preset-issue
michi ~/Documents$ cd babel-preset-issue/
michi ~/Documents/babel-preset-issue$ npm install babel-cli babel-preset-es2015
[...]
michi ~/Documents/babel-preset-issue$ echo 'a = 123;' > ../foo.jsx
michi ~/Documents/babel-preset-issue$ node_modules/.bin/babel --presets=es2015 ../foo.jsx
Error: Couldn't find preset "es2015" relative to directory ".."
at /Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/options/option-manager.js:293:19
at Array.map (native)
at OptionManager.resolvePresets (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/options/option-manager.js:275:20)
at OptionManager.mergePresets (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/options/option-manager.js:264:10)
at OptionManager.mergeOptions (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/options/option-manager.js:249:14)
at OptionManager.init (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/options/option-manager.js:368:12)
at File.initOptions (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/index.js:216:65)
at new File (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/index.js:139:24)
at Pipeline.transform (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/pipeline.js:46:16)
at transform (/Users/michi/Documents/babel-preset-issue/node_modules/babel-cli/lib/babel/util.js:50:22)"><pre class="notranslate"><code class="notranslate">michi ~/Documents$ mkdir babel-preset-issue
michi ~/Documents$ cd babel-preset-issue/
michi ~/Documents/babel-preset-issue$ npm install babel-cli babel-preset-es2015
[...]
michi ~/Documents/babel-preset-issue$ echo 'a = 123;' > ../foo.jsx
michi ~/Documents/babel-preset-issue$ node_modules/.bin/babel --presets=es2015 ../foo.jsx
Error: Couldn't find preset "es2015" relative to directory ".."
at /Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/options/option-manager.js:293:19
at Array.map (native)
at OptionManager.resolvePresets (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/options/option-manager.js:275:20)
at OptionManager.mergePresets (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/options/option-manager.js:264:10)
at OptionManager.mergeOptions (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/options/option-manager.js:249:14)
at OptionManager.init (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/options/option-manager.js:368:12)
at File.initOptions (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/index.js:216:65)
at new File (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/file/index.js:139:24)
at Pipeline.transform (/Users/michi/Documents/babel-preset-issue/node_modules/babel-core/lib/transformation/pipeline.js:46:16)
at transform (/Users/michi/Documents/babel-preset-issue/node_modules/babel-cli/lib/babel/util.js:50:22)
</code></pre></div>
<p dir="auto">I've tested this with Babel 6.23.0 (babel-core 6.23.1) on OS X 10.11.6.</p> | 1 |
<h3 dir="auto">Which version of Sharding-Jdbc do you using?</h3>
<p dir="auto">1.5.0</p>
<h3 dir="auto">Expected behavior</h3>
<p dir="auto">对较复杂sql能正确解析</p>
<h3 dir="auto">Actual behavior</h3>
<div class="snippet-clipboard-content notranslate position-relative overflow-auto" data-snippet-clipboard-copy-content="### Error querying database. Cause: com.dangdang.ddframe.rdb.sharding.parsing.parser.exception.SQLParsingUnsupportedException: Not supported token 'OR'.
### The error may exist in file [D:\Develop\Git\fcs2\fcs2-inv\fcs2-inv\fcs2-inv-public\target\classes\com\vip\fcs\app\item\job\dao\custom\mybatis\InvCstIntercompanyTrnSumTempMapperCustom.xml]
### The error may involve com.vip.fcs.app.item.job.dao.custom.mybatis.InvCstIntercompanyTrnSumTempMapper.queryInvCstSumQTY-Inline
### The error occurred while setting parameters
### SQL: select id, db_no, gid, item_no, s_qty, forg_id, sorg_id, f_c, s_c from inv_sum_temp where is_deleted = 0 AND period_name = ? AND item_no in ( ? , ? ) AND ( forg_id in ( ? , ? ) OR sorg_id in ( ? , ? ) ) AND ( f_c in ( ? , ? ) OR s_c in ( ? , ? ) )
### Cause: com.dangdang.ddframe.rdb.sharding.parsing.parser.exception.SQLParsingUnsupportedException: Not supported token 'OR'.
at org.apache.ibatis.exceptions.ExceptionFactory.wrapException(ExceptionFactory.java:30)
at org.apache.ibatis.session.defaults.DefaultSqlSession.selectList(DefaultSqlSession.java:150)
at org.apache.ibatis.session.defaults.DefaultSqlSession.selectList(DefaultSqlSession.java:141)
at sun.reflect.GeneratedMethodAccessor155.invoke(Unknown Source)
at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
at java.lang.reflect.Method.invoke(Method.java:498)
at org.mybatis.spring.SqlSessionTemplate$SqlSessionInterceptor.invoke(SqlSessionTemplate.java:434)
... 48 more
Caused by: com.dangdang.ddframe.rdb.sharding.parsing.parser.exception.SQLParsingUnsupportedException: Not supported token 'OR'.
at com.dangdang.ddframe.rdb.sharding.parsing.parser.SQLParser.parseConditions(SQLParser.java:261)
at com.dangdang.ddframe.rdb.sharding.parsing.parser.SQLParser.parseWhere(SQLParser.java:252)
at com.dangdang.ddframe.rdb.sharding.parsing.parser.statement.select.AbstractSelectParser.parseWhere(AbstractSelectParser.java:205)
at com.dangdang.ddframe.rdb.sharding.parsing.parser.dialect.mysql.MySQLSelectParser.query(MySQLSelectParser.java:52)
at com.dangdang.ddframe.rdb.sharding.parsing.parser.statement.select.AbstractSelectParser.parse(AbstractSelectParser.java:78)
at com.dangdang.ddframe.rdb.sharding.parsing.SQLParsingEngine.parse(SQLParsingEngine.java:63)
at com.dangdang.ddframe.rdb.sharding.routing.router.ParsingSQLRouter.parse(ParsingSQLRouter.java:74)
at com.dangdang.ddframe.rdb.sharding.routing.PreparedStatementRoutingEngine.route(PreparedStatementRoutingEngine.java:54)
at com.dangdang.ddframe.rdb.sharding.jdbc.core.statement.ShardingPreparedStatement.route(ShardingPreparedStatement.java:120)
at com.dangdang.ddframe.rdb.sharding.jdbc.core.statement.ShardingPreparedStatement.execute(ShardingPreparedStatement.java:110)
at org.apache.ibatis.executor.statement.PreparedStatementHandler.query(PreparedStatementHandler.java:63)
at org.apache.ibatis.executor.statement.RoutingStatementHandler.query(RoutingStatementHandler.java:79)
at org.apache.ibatis.executor.SimpleExecutor.doQuery(SimpleExecutor.java:63)
at org.apache.ibatis.executor.BaseExecutor.queryFromDatabase(BaseExecutor.java:324)
at org.apache.ibatis.executor.BaseExecutor.query(BaseExecutor.java:156)
at org.apache.ibatis.executor.CachingExecutor.query(CachingExecutor.java:109)
at org.apache.ibatis.executor.CachingExecutor.query(CachingExecutor.java:83)
at org.apache.ibatis.session.defaults.DefaultSqlSession.selectList(DefaultSqlSession.java:148)
... 53 more"><pre class="notranslate"><code class="notranslate">### Error querying database. Cause: com.dangdang.ddframe.rdb.sharding.parsing.parser.exception.SQLParsingUnsupportedException: Not supported token 'OR'.
### The error may exist in file [D:\Develop\Git\fcs2\fcs2-inv\fcs2-inv\fcs2-inv-public\target\classes\com\vip\fcs\app\item\job\dao\custom\mybatis\InvCstIntercompanyTrnSumTempMapperCustom.xml]
### The error may involve com.vip.fcs.app.item.job.dao.custom.mybatis.InvCstIntercompanyTrnSumTempMapper.queryInvCstSumQTY-Inline
### The error occurred while setting parameters
### SQL: select id, db_no, gid, item_no, s_qty, forg_id, sorg_id, f_c, s_c from inv_sum_temp where is_deleted = 0 AND period_name = ? AND item_no in ( ? , ? ) AND ( forg_id in ( ? , ? ) OR sorg_id in ( ? , ? ) ) AND ( f_c in ( ? , ? ) OR s_c in ( ? , ? ) )
### Cause: com.dangdang.ddframe.rdb.sharding.parsing.parser.exception.SQLParsingUnsupportedException: Not supported token 'OR'.
at org.apache.ibatis.exceptions.ExceptionFactory.wrapException(ExceptionFactory.java:30)
at org.apache.ibatis.session.defaults.DefaultSqlSession.selectList(DefaultSqlSession.java:150)
at org.apache.ibatis.session.defaults.DefaultSqlSession.selectList(DefaultSqlSession.java:141)
at sun.reflect.GeneratedMethodAccessor155.invoke(Unknown Source)
at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
at java.lang.reflect.Method.invoke(Method.java:498)
at org.mybatis.spring.SqlSessionTemplate$SqlSessionInterceptor.invoke(SqlSessionTemplate.java:434)
... 48 more
Caused by: com.dangdang.ddframe.rdb.sharding.parsing.parser.exception.SQLParsingUnsupportedException: Not supported token 'OR'.
at com.dangdang.ddframe.rdb.sharding.parsing.parser.SQLParser.parseConditions(SQLParser.java:261)
at com.dangdang.ddframe.rdb.sharding.parsing.parser.SQLParser.parseWhere(SQLParser.java:252)
at com.dangdang.ddframe.rdb.sharding.parsing.parser.statement.select.AbstractSelectParser.parseWhere(AbstractSelectParser.java:205)
at com.dangdang.ddframe.rdb.sharding.parsing.parser.dialect.mysql.MySQLSelectParser.query(MySQLSelectParser.java:52)
at com.dangdang.ddframe.rdb.sharding.parsing.parser.statement.select.AbstractSelectParser.parse(AbstractSelectParser.java:78)
at com.dangdang.ddframe.rdb.sharding.parsing.SQLParsingEngine.parse(SQLParsingEngine.java:63)
at com.dangdang.ddframe.rdb.sharding.routing.router.ParsingSQLRouter.parse(ParsingSQLRouter.java:74)
at com.dangdang.ddframe.rdb.sharding.routing.PreparedStatementRoutingEngine.route(PreparedStatementRoutingEngine.java:54)
at com.dangdang.ddframe.rdb.sharding.jdbc.core.statement.ShardingPreparedStatement.route(ShardingPreparedStatement.java:120)
at com.dangdang.ddframe.rdb.sharding.jdbc.core.statement.ShardingPreparedStatement.execute(ShardingPreparedStatement.java:110)
at org.apache.ibatis.executor.statement.PreparedStatementHandler.query(PreparedStatementHandler.java:63)
at org.apache.ibatis.executor.statement.RoutingStatementHandler.query(RoutingStatementHandler.java:79)
at org.apache.ibatis.executor.SimpleExecutor.doQuery(SimpleExecutor.java:63)
at org.apache.ibatis.executor.BaseExecutor.queryFromDatabase(BaseExecutor.java:324)
at org.apache.ibatis.executor.BaseExecutor.query(BaseExecutor.java:156)
at org.apache.ibatis.executor.CachingExecutor.query(CachingExecutor.java:109)
at org.apache.ibatis.executor.CachingExecutor.query(CachingExecutor.java:83)
at org.apache.ibatis.session.defaults.DefaultSqlSession.selectList(DefaultSqlSession.java:148)
... 53 more
</code></pre></div>
<h3 dir="auto">Steps to reproduce the behavior</h3>
<p dir="auto">通过mybatis配置的查询sql,执行后即报错</p> | <h2 dir="auto">Feature Request</h2>
<h3 dir="auto">Is your feature request related to a problem?</h3>
<p dir="auto">I was upgrading from version 1.5.x which is support hint with other shardingStrategy.<br>
I find out that I can not only update/modify sharding-jdbc related code in my project to migrate to version 3.1.0 .</p>
<p dir="auto">example:<br>
Given a table <strong>order</strong> with columns: <strong>order_id,name,user_id</strong> sharding-column is user_id.<br>
In UserOrderList module, I need to find all the orders belongs to this user, so we pass user_id to SQL, which is correct.<br>
But In another module ,outer system request for a Order's detail, and they only have order_id, order_id can infer a sharding value, In this case if hint supported will be very helpful.</p>
<h3 dir="auto">Describe the feature you would like.</h3>
<p dir="auto">How about support HintShardingStrategy with other ShardingStrategy at same time?<br>
make HintShardingStrategy has higher priority than other ShardingStrategy?</p> | 0 |
<p dir="auto">Copied from: <a href="https://code.visualstudio.com/Issues/Detail/20178" rel="nofollow">https://code.visualstudio.com/Issues/Detail/20178</a></p>
<p dir="auto">I was experiencing a bizarre issue where the TS language service broke down and wouldn't underline errors in my code. After pulling my hair out for half an hour, I figured out it was because I was doing a file import with the wrong case e.g.</p>
<p dir="auto">import Engine from "./Engine"</p>
<p dir="auto">instead of</p>
<p dir="auto">import Engine from "./engine"</p>
<p dir="auto">The default class exported was named 'Engine' which I think might have also had something to do with it.</p>
<p dir="auto">Open the attached folder in VS Code, then pick the "engine.ts" file and notice that there is an undefined symbol ("jjj_this_is_an_error") that is not red underlined.</p>
<p dir="auto">I would expect a better error on the erroneous import instead of the imported file no longer having proper language services. :)</p> | <p dir="auto"><em>From <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/kuechlerm/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/kuechlerm">@kuechlerm</a> on March 2, 2016 9:27</em></p>
<p dir="auto">In 0.10.10-insider the following code causes the "Go to symbol..."-box to state "No symbols found".</p>
<p dir="auto"><code class="notranslate">(function() { function foo() { } })();</code></p>
<p dir="auto">I would expect to see 'foo' listed as a symbol, which is the case without the IIFE.</p>
<p dir="auto"><em>Copied from original issue: <a class="issue-link js-issue-link" data-error-text="Failed to load title" data-id="137820429" data-permission-text="Title is private" data-url="https://github.com/microsoft/vscode/issues/3618" data-hovercard-type="issue" data-hovercard-url="/microsoft/vscode/issues/3618/hovercard" href="https://github.com/microsoft/vscode/issues/3618">microsoft/vscode#3618</a></em></p> | 0 |
<h2 dir="auto"><g-emoji class="g-emoji" alias="books" fallback-src="https://github.githubassets.com/images/icons/emoji/unicode/1f4da.png">📚</g-emoji> Documentation</h2>
<p dir="auto">The information regarding the <a href="https://pytorch.org/docs/stable/tensorboard.html#torch.utils.tensorboard.writer.SummaryWriter.add_graph" rel="nofollow"><em>add_graph()</em> function in the Tensorboard doc</a> is empty. The missing info seems to be there in its <a href="https://pytorch.org/docs/stable/_modules/torch/utils/tensorboard/writer.html#SummaryWriter.add_graph" rel="nofollow">source</a> tough.</p>
<p dir="auto">cc <a class="user-mention notranslate" data-hovercard-type="user" data-hovercard-url="/users/jlin27/hovercard" data-octo-click="hovercard-link-click" data-octo-dimensions="link_type:self" href="https://github.com/jlin27">@jlin27</a></p> | <h2 dir="auto">📚 Documentation</h2>
<p dir="auto">The <code class="notranslate">add_graph</code> function on SummaryWriter doesn't have documentation</p>
<p dir="auto"><a href="https://pytorch.org/docs/stable/tensorboard.html#torch.utils.tensorboard.writer.SummaryWriter.add_graph" rel="nofollow">https://pytorch.org/docs/stable/tensorboard.html#torch.utils.tensorboard.writer.SummaryWriter.add_graph</a></p>
<p dir="auto"><a target="_blank" rel="noopener noreferrer nofollow" href="https://user-images.githubusercontent.com/655866/80504712-6cd50200-8941-11ea-94ed-62a5670970c6.png"><img width="913" alt="Screen Shot 2020-04-28 at 11 13 26 AM" src="https://user-images.githubusercontent.com/655866/80504712-6cd50200-8941-11ea-94ed-62a5670970c6.png" style="max-width: 100%;"></a></p> | 1 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.