id
int64
393k
2.82B
repo
stringclasses
68 values
title
stringlengths
1
936
body
stringlengths
0
256k
βŒ€
labels
stringlengths
2
508
priority
stringclasses
3 values
severity
stringclasses
3 values
557,853,087
pytorch
Silent failing of batch_sampler when the data points are lists of tensors.
If a dataset is created from a list of list of tensors, and a custom batch_sample is made to sample from the outer list, then the inner tensors get mingled together in list batches. ## To Reproduce Consider a dataset consisting of two lists of tensors. The `Sampler` to be used as `batch_sampler` intend to produce a single batch of two lists with this dataset. ``` import torch from torch.utils.data import Dataset, DataLoader, Sampler list_of_list_of_tensor_data = [ [ torch.tensor([0,1,2]), torch.tensor([3,4,5]) ], [ torch.tensor([6,7,8]), torch.tensor([9,0,1]) ] ] class ListData(Dataset): def __init__(self, data): super().__init__() self.data = data def __len__(self): return len(self.data) def __getitem__(self, idx): return self.data[idx] dataset = ListData(list_of_list_of_tensor_data) class MyBatchSampler(Sampler): def __init__(self,data): super().__init__(data) def __iter__(self): yield [0,1] sampler = MyBatchSampler(list_of_list_of_tensor_data) loader = DataLoader(dataset, batch_sampler = sampler) for batch in loader: print(batch) ``` As a result, the batch you get a list of mingled tensors. ``` [tensor([[0, 1, 2], [6, 7, 8]]), tensor([[3, 4, 5], [9, 0, 1]])] ``` ## Expected behavior Of course, the expected behaviour is obtained if you use full tensors instead of lists. Stacking the lists in the dataset's `__getitem__` does the trick here: ``` class TensorData(Dataset): def __init__(self, data): super().__init__() self.data = data def __len__(self): return len(self.data) def __getitem__(self, idx): return torch.stack(self.data[idx]) dataset2 = TensorData(list_of_list_of_tensor_data) loader2 = DataLoader(dataset2, batch_sampler = sampler) for batch in loader2: print(batch) ``` which yields: ``` tensor([[[0, 1, 2], [3, 4, 5]], [[6, 7, 8], [9, 0, 1]]]) ``` ## Environment PyTorch version: 1.0.1.post2 Is debug build: No CUDA used to build PyTorch: None OS: Mac OSX 10.14.6 GCC version: Could not collect CMake version: version 3.14.3 Python version: 3.7 Is CUDA available: No CUDA runtime version: No CUDA GPU models and configuration: No CUDA Nvidia driver version: No CUDA cuDNN version: No CUDA Versions of relevant libraries: [pip3] numpy==1.16.2 [pip3] torch==1.0.1.post2 [pip3] torchvision==0.2.2.post3 [conda] Could not collect ## Additional Context Probably that `Sampler` is not intended to be used in the way described above (see #28743), but since the code works and produce unexpected results, it was hard to identify what we did wrong when we stumble on this. cc @SsnL @cpuhrsch
module: dataloader,triaged,module: nestedtensor
low
Critical
557,861,757
storybook
proposal: client api addPreviewAddon
It would be great to have an api to extend the 'preview' area with custom addons - similar to the way the manager area can create addons. The initial use case is to extend just the 'Preview' component to add additional tab/panel in addition the source panel (later could extend all sorts of preview doc blocks, like additional tabs on the PropsTable, or a source view that will render the source with control values pre-calculated), to add new tabs to it that can render various information and controls, here is a use case: ![extend-preview](https://user-images.githubusercontent.com/6075606/73505656-19363500-43a1-11ea-82cf-d1ac5a2b7f06.gif) My proposal would be something like (mock-up code): ``` export interface PreviewAddonReturnType<ReturnType = unknown> { enabled: boolean; title: string; render: StoryFn<ReturnType>; }; type PreviewAddonTypeFn<StoryFnReturnType = unknown> = () => PreviewAddonReturnType< StoryFnReturnType> interface PreviewAddon<StoryFnReturnType = unknown> { type: string; callback: PreviewAddonTypeFn<StoryFnReturnType> } import { addPreviewAddon } from '@storybook/react'; addPreviewAddon(addon: PreviewAddon): myStory.story = { previewAddons: [{ type: 'preview', callback: (context: StoryContext) => { enabled: context.parameters.myaddon.enabled, title: 'screenshot', render: () => (<img src="screenshotofstory.png" />) } }] } ```
feature request,preview-api
low
Major
557,863,405
flutter
Support web libraries in Flutter web plugins
## Use case If anyone currently wants to build a flutter web app or plugin that can play audio, it is natural to be able to import `dart:web_audio`. Perhaps there are other web libraries that Flutter web developers would like to be able to use as well. However, currently the only supported web imports for Flutter web projects are `dart:html`, `dart:js`, and `dart:js_util` according to #48639 . ## Proposal There should be an official library for web audio. In fact, there already is one called `dart:web_audio` and in principle (to avoid duplicated effort) it should be made available to Flutter web projects in some form e.g. even as a separate library on pub.dev if it can't be part of the Flutter sdk. There are already published "Flutter web" plugins such as [soundpool](https://pub.dev/packages/soundpool) that use `dart:web_audio` and so it would not make sense to deny access to this web library in a Flutter web context. As some background, @devoncarew wrote in #48639 that: > My suspicion is that we should avoiding adding any more dart: web libraries to the flutter sdk, and instead prefer that those capabilities be accessed via new JS inter-op. And @jonahwilliams wrote: > What we've done so far is very much a stopgap. I think the next steps are the various Flutter & Dart teams need to formalize a decision here for the long-term To the first point, you could still move it to pub.dev as a separate library so that it's not part of the sdk. I should also mention that a workaround was suggested by @hterkelsen : > as a workaround you can use package:js in your plugin to wrap the Web Audio API. But the Web API is not simple. It is a lot of work to create a wrapper. Asking developers to create their own wrappers might be acceptable for simple cases (wrapping a single class or function) but not for a whole library of interdependent classes where a 1st party library already exists. If it's going to take a lot of effort to build a wrapper, reuse should be a consideration. On a related note, given that published plugins for Flutter web are currently using `dart:web_audio` but are just ignoring the errors/warnings, I would also be interested to hear your view on this practice and whether we can expect plugins doing this to break in the future.
c: new feature,platform-web,c: proposal,P2,a: plugins,team-web,triaged-web
low
Critical
557,864,034
storybook
proposal: prop table api to add columns to the prop rows
api to allow addons to create additional columns in the prop tables, for example for editing the values for the story. such an addon would need access to the full list of props to identify if it will add columns (for example the story might have a list of controls/knobs - and if one of their names corresponds to the one of the names of the prop table, it will creat an additional column (with a title) screenshot of use case: ![grab44](https://user-images.githubusercontent.com/6075606/73506037-4fc07f80-43a2-11ea-8884-4b6f024a9fbc.jpg)
feature request,block: props
low
Major
557,865,456
storybook
proposal: api (parameter.option) to enhance story data
add a global option to allow addons to enhance the story data on loading a story: for example const storyLoaders = [...] and in story_store addStory const { loaders } = parameters.options || {}; here merge returned added story props to the story store: loaders(parameters): this will allow addons to create additional data for the stories - for example a smart-controls/knobs addon will create addition control fileds/properties based on the prop-tables of the component in the story.
feature request,preview-api
low
Major
557,869,008
terminal
Refactor Word Expansion in TextBuffer
# Description of the new feature/enhancement In #4018, word navigation for selection and accessibility is merged into this mess: - `GetWordEnd` (with `accessibilityMode` flag) - `GetWordStart` (with `accessibilityMode` flag) - `MoveToNextWord` - `MoveToPreviousWord` There _has_ to be a way to combine all of these into just 2 functions (or 4 with an accessibilityMode flag). Unfortunately, doing so at the time could have resulted in breaking Selection for the sake of Accessibility (if one was not careful). So here's a work item to refactor that and make it look _waaaaay_ better. # Proposed technical implementation details (optional) There's a good amount of repeated code/concepts throughout these functions. I think we should just rely on making the function return a bool and have an in/out param.
Product-Terminal,Issue-Task,Area-CodeHealth
low
Minor
557,909,367
go
compress/flate: Allow resetting writer with new dictionary
As of Go 1.14, compress/flate's Writer only allows resetting the write side with the same dictionary. In contrast, the Reader can be reset with a new dictionary. I need this to efficiently implement context takeover compression for WebSockets. See https://tools.ietf.org/html/rfc7692#section-7.1.1 cc @klauspost
Performance,NeedsDecision
low
Major
557,910,883
flutter
Craft better error message for OffsetLayer.toImage in the HTML renderer
I'm attempting to convert a Canvas widget's content to an image, using the following code. It works fine on iOS and macOS, but dies on the web. ```dart Future<void> _capturePng() async { RenderRepaintBoundary boundary = globalKey.currentContext.findRenderObject(); ui.Image image = await boundary.toImage(pixelRatio: 1); ByteData byteData = await image.toByteData(format: ui.ImageByteFormat.png); Uint8List pngBytes = byteData.buffer.asUint8List(); print('PNG Image size: ${pngBytes.length}'); } ``` VSCode console output: ``` ════════ Exception caught by scheduler library ═════════════════════════════════ The following assertion was thrown during a scheduler callback: Assertion failed: org-dartlang-sdk:///flutter_web_sdk/lib/_engine/engine/surface/scene_builder.dart:267:12 retainedSurface.isActive || retainedSurface.isReleased is not true When the exception was thrown, this was the stack throw_ (package:dart-sdk/lib/_internal/js_dev_runtime/private/ddc_runtime/errors.dart:196:49) assertFailed (package:dart-sdk/lib/_internal/js_dev_runtime/private/ddc_runtime/errors.dart:26:3) addRetained (package:build_web_compilers/lib/_engine/engine/surface/scene_builder.dart:267:55) [_addToSceneWithRetainedRendering] package:flutter/…/rendering/layer.dart:439 addChildrenToScene package:flutter/…/rendering/layer.dart:1065 ... ════════════════════════════════════════════════════════════════════════════════ ``` JS Console stacktrace ``` errors.dart:147 Uncaught (in promise) Error: Exception: Incorrect sequence of push/pop operations while building scene surfaces. After building the scene the persisted surface stack must contain a single element which corresponds to the scene itself (_PersistedScene). All other surfaces should have been popped off the stack. Found the following surfaces in the stack: PersistedScene, PersistedTransform at Object.throw_ [as throw] (errors.dart:196) at scene_builder.dart:24 at _engine.SurfaceSceneBuilder.new.get [_persistedScene] (scene_builder.dart:31) at _engine.SurfaceSceneBuilder.new.build (scene_builder.dart:514) at layer$.OffsetLayer.new.buildScene (layer.dart:807) at layer$.OffsetLayer.new.toImage (layer.dart:1240) at toImage.next (<anonymous>) at runBody (async_patch.dart:86) at Object._async [as async] (async_patch.dart:125) at layer$.OffsetLayer.new.toImage (layer.dart:1229) at proxy_box.RenderRepaintBoundary.new.toImage (proxy_box.dart:2962) at main._MyHomePageState.new._capturePng (main.dart:35) at _capturePng.next (<anonymous>) at runBody (async_patch.dart:86) at Object._async [as async] (async_patch.dart:125) at main._MyHomePageState.new.[_capturePng] (main.dart:32) at _InkResponseState.new.[_handleTap] (ink_well.dart:705) at ink_well.dart:788 at tap.TapGestureRecognizer.new.invokeCallback (recognizer.dart:182) at tap.TapGestureRecognizer.new.handleTapUp (tap.dart:486) at tap.TapGestureRecognizer.new.[_checkUp] (tap.dart:264) at tap.TapGestureRecognizer.new.handlePrimaryPointer (tap.dart:199) at tap.TapGestureRecognizer.new.handleEvent (recognizer.dart:470) at pointer_router.PointerRouter.new.[_dispatch] (pointer_router.dart:76) at pointer_router.dart:117 at LinkedMap.new.forEach (linked_hash_map.dart:23) at pointer_router.PointerRouter.new.[_dispatchEventToRoutes] (pointer_router.dart:115) at pointer_router.PointerRouter.new.route (pointer_router.dart:101) at binding$5.WidgetsFlutterBinding.new.handleEvent (binding.dart:218) at binding$5.WidgetsFlutterBinding.new.dispatchEvent (binding.dart:198) at binding$5.WidgetsFlutterBinding.new.[_handlePointerEvent] (binding.dart:156) at binding$5.WidgetsFlutterBinding.new.[_flushPointerEventQueue] (binding.dart:102) at binding$5.WidgetsFlutterBinding.new.[_handlePointerDataPacket] (binding.dart:86) at _engine.PointerBinding.__.[_onPointerData] (pointer_binding.dart:129) at pointer_binding.dart:465 at pointer_binding.dart:430 at HTMLElement.<anonymous> (pointer_binding.dart:195) ```
engine,platform-web,a: error message,good first issue,e: web_html,has reproducible steps,P3,team-web,triaged-web,found in release: 3.19,found in release: 3.20
medium
Critical
557,928,337
flutter
Expansion tile items are not scrollable which causing error in landscape mode.
I am trying to achieve a case where the expansion tile should be fixed and the contents below the expansion tile to come in a listView, also the children of expansion tile also needs to be scrollable, so that it will work fine for both portrait mode and landscape mode. Portrait mode because bigger screen size, tile is able open without space error. <img width="370" alt="Screenshot 2020-01-29 at 10 42 27 PM" src="https://user-images.githubusercontent.com/43532363/73515390-28f25f80-441b-11ea-851b-48477b48a7af.png"> Due to less space, tile is throwing error in landscape mode. <img width="787" alt="Screenshot 2020-01-29 at 10 42 47 PM" src="https://user-images.githubusercontent.com/43532363/73515391-28f25f80-441b-11ea-90d0-07651f614df4.png"> <details> <summary>code sample</summary> ```dart import 'package:flutter/material.dart'; void main() => runApp(MaterialApp( home: Scaffold( appBar: AppBar( title: Text("Appbar"), ), body: MyApp()))); class MyApp extends StatefulWidget { @override _MyAppState createState() => _MyAppState(); } class _MyAppState extends State<MyApp> { @override Widget build(BuildContext context) { return Column( children: <Widget>[ ExpansionTile( title: Text("Filters"), children: <Widget>[ Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), Text("Hello"), ], ), Expanded( child: ListView( children: <Widget>[ Column( children: <Widget>[ Text("test id here"), Text("test id here"), Text("test id here"), Text("test id here"), Text("test id here"), Text("test id here"), Text("test id here"), Text("test id here"), Text("test id here"), Text("test id here"), Text("test id here") ], ) ], ), ) ], ); } } ``` </details> Here i have attached the flutter doctor: ```bash Doctor summary (to see all details, run flutter doctor -v): [βœ“] Flutter (Channel stable, v1.12.13+hotfix.7, on Mac OS X 10.15.1 19B88, locale en-GB) [!] Android toolchain - develop for Android devices (Android SDK version 28.0.3) ! Some Android licenses not accepted. To resolve this, run: flutter doctor --android-licenses [βœ“] Xcode - develop for iOS and macOS (Xcode 11.3) [βœ“] Android Studio (version 3.5) [βœ“] IntelliJ IDEA Community Edition (version 2019.3.1) [βœ“] VS Code (version 1.41.1) [βœ“] Connected device (2 available) ! Doctor found issues in 1 category. ```
framework,f: material design,has reproducible steps,P2,found in release: 3.3,found in release: 3.7,team-design,triaged-design
low
Critical
557,962,738
go
net/http/cookiejar: add a disk backed persistent CookieJar
hi mr, sorry for this silly issue, but can we have this feature in Go ?, i think as a battery-included language, we should have this feature mr. nb : Python has this feature by the way, https://docs.python.org/3/library/http.cookiejar.html#http.cookiejar.FileCookieJar
help wanted,NeedsInvestigation
low
Major
557,966,767
vscode
Proposal: expose manual installation of vscode-remote
<!-- Please read our Rules of Conduct: https://opensource.microsoft.com/codeofconduct/ --> <!-- Please search existing issues to avoid creating duplicates. --> <!-- Describe the feature you'd like. --> It would be nice if we could expose a more easy none reverseengineering method to install vscode-remote inside a container or target remote directory with a predefined config so a developer only needs to connect and it is all installed. i am aware that this is do able via vscode ide at present but i want a script able way to deploy many workspaces predefined. You maybe already got or can need the code for vscode-online anyway.
feature-request,remote
medium
Major
557,980,194
godot
Render "GLES2" does not draw Polygon2D on Android
godot 3.1.2-stable Android 6.0 (BF166_BOOST3-SE_L010) If you use the "GLES2" render, then the Polygon2D is not drawn! If you use the "GLES3" render, then everything works Textures imported as Loss GLES2: ![image of GLES2](https://i.imgur.com/rOo9p6c.jpg) GLES3: ![image of GLES3](https://i.imgur.com/Pil2Gfr.jpg) PS: I need [it for beautiful animations](https://www.youtube.com/watch?v=4YfzkH1RHsg)
bug,platform:android,topic:rendering,topic:2d
medium
Critical
558,055,594
pytorch
[docs] Missing docs for torch.__version__ and torch.version
https://pytorch.org/docs/master/search.html?q=__version__&check_keywords=yes&area=default# https://pytorch.org/docs/master/search.html?q=version&check_keywords=yes&area=default# Both are also missing from the doc navigation left pane (`torch.__config__` is there)
module: docs,triaged,small
low
Major
558,060,208
godot
Don't do heap allocation during initialization of Array and Dictionary
@sheepandshepherd pointed out something really interesting here https://github.com/godotengine/godot/issues/34264#issuecomment-577939718 Currently all builtins except array and dictionary initialize without doing any heap allocation. For instance `Pool*Array` lazily allocate it underlying buffer https://github.com/godotengine/godot/blob/5da20d6cf2b334a0703f95fd05e84a9a5aa29a0f/core/pool_vector.h#L464 This is cool because it means resizing the container just after initialization becomes optimal (instead of having. On top of that this means GDNative code would be guaranteed that doing zero initialization is enough to initialize builtins: ```c godot_string var_var; memset(&my_var, 0, sizeof(godot_string)); ```
enhancement,topic:core
low
Major
558,073,483
flutter
Circular widget with wrap text inside
## Use case Hi, I need a circular widget or existent widget with circular shape (like Containter), with propriety to wrap text inside like this image: ![6GxZI](https://user-images.githubusercontent.com/21011641/73535301-90141200-4423-11ea-8fd0-42e0e34569f2.png) I tried the follow solutions - Container with shape circular, but the padding persist rectangular/square. - A parcial implementation with CustomPaint, but I guess this is expensive to build - The combination of ClipOval and FittedBox widgets, but this cut the text A posible principal problems with this solutions is - Adjust texts with different screen sizes - Expensive rebuild when update the text (like the seconds of a clock) in CustomPaint - 'Complex' and specific maths operations to build the widget I found [this widget][3] for inspiration, but it didn't solve the problem. Also, find [this answer](https://stackoverflow.com/a/56978421/8700272) in Stackoverflow, but is complex to build a 'simple' widget Thanks for anything help. [3]: https://pub.dev/packages/flutter_circular_text
c: new feature,framework,a: typography,c: proposal,P3,team-framework,triaged-framework
low
Major
558,164,041
flutter
Document how and when to use TextPainter.setPlaceholderDimensions
Hello Flutter Dev Team! :) When I use **TextSpan** with **WidgetSpan**, the **TextPainter** fails on calling **tp.layout()**. var span = TextSpan( children: [ WidgetSpan(child: Icon(Icons.access_time)), TextSpan(text: "Clock") ], ); var tp = TextPainter( maxLines: 10, textAlign: TextAlign.left, textDirection: TextDirection.ltr, text: span, ); tp.layout(); **Flutter (Channel stable, v1.12.13+hotfix.7, on Linux, locale en_US.UTF-8)** ``` ════════ Exception caught by widgets library ═══════════════════════════════════════════════════════ The following assertion was thrown building LayoutBuilder: 'package:flutter/src/widgets/widget_span.dart': Failed assertion: line 103 pos 12: 'dimensions != null': is not true. When the exception was thrown, this was the stack: #2 WidgetSpan.build (package:flutter/src/widgets/widget_span.dart:103:12) #3 TextSpan.build (package:flutter/src/painting/text_span.dart:211:15) #4 TextPainter.layout (package:flutter/src/painting/text_painter.dart:544:13) ```
c: crash,framework,d: api docs,has reproducible steps,P2,found in release: 3.7,found in release: 3.9,team-framework,triaged-framework
low
Critical
558,183,760
kubernetes
K8s breaks CSI idempotency requirement: NodePublishVolume() passes same target_path for all block mode consumers
For filesystem volumes, NodePublishVolume receives, e.g., ``` GRPC request: {"target_path":"/var/lib/kubelet/pods/eda0c617-a1ca-4260-a6cd-3cc1dca8560a/volumes/kubernetes.io~csi/<PV-NAME>/mount" ... ``` which is different for every pod. However, for block mode volumes, it is like ``` GRPC request: {"target_path":"/var/lib/kubelet/plugins/kubernetes.io/csi/volumeDevices/publish/<PV_NAME>" ... ``` regardless of the pod to which the device is being attached, and the same is true for NodeUnpublishVolume. It appears that there is no way for a CSI driver to distinguish between a repeated NodePublishVolume() for the same pod (to which the CSI spec requires it to respond positively for idempotency) and a request for a different pod on the same node. But it needs to know: in the latter case, it needs to track how many pods still have the device attached, so that it knows what to do when it receives a NodeUnpublishVolume(), including whether or not to unmount the bind mount. Put another way: if the path differed for every consumer then it could simply umount and delete. The context is a CSI driver providing only NodePublishVolume/NodeUnpublishVolume /sig storage **Environment**: - Kubernetes version (use `kubectl version`): Client Version: version.Info{Major:"1", Minor:"14", GitVersion:"v1.14.1", GitCommit:"b7394102d6ef778017f2ca4046abbaa23b88c290", GitTreeState:"clean", BuildDate:"2019-04-08T17:11:31Z", GoVersion:"go1.12.1", Compiler:"gc", Platform:"linux/amd64"} Server Version: version.Info{Major:"1", Minor:"16", GitVersion:"v1.16.3", GitCommit:"b3cbbae08ec52a7fc73d334838e18d17e8512749", GitTreeState:"clean", BuildDate:"2019-11-13T11:13:49Z", GoVersion:"go1.12.12", Compiler:"gc", Platform:"linux/amd64"} - OS (e.g: `cat /etc/os-release`): Ubuntu 18.04.3 LTS \n \l - Kernel (e.g. `uname -a`): 5.0.0-37-generic
kind/bug,sig/storage,lifecycle/stale
medium
Minor
558,188,306
pytorch
__cuda_array_interface__ conversion does not support readonly arrays
PyTorch does not support importing readonly GPU arrays via `__cuda_array_interface__`: https://numba.pydata.org/numba-doc/dev/cuda/cuda_array_interface.html https://github.com/pytorch/pytorch/blob/2471ddc96c56162861f41f3b6b772b4b4e773ea7/torch/csrc/utils/tensor_numpy.cpp#L292 ## To Reproduce If you have a copy of jax and jaxlib with GPU support built from head, the following will reproduce: ``` In [1]: import torch, jax, jax.numpy as jnp In [2]: x = jnp.array([1,2,3]) In [3]: y = torch.as_tensor(x) --------------------------------------------------------------------------- TypeError Traceback (most recent call last) <ipython-input-3-f43755a1deef> in <module> ----> 1 y = torch.tensor(x) TypeError: the read only flag is not supported, should always be False ``` (Aside: this is not a PyTorch bug, but curiously CuPy drops the readonly flag, so you can make the import "work" by laundering the array through CuPy: ``` In [1]: import torch, jax, jax.numpy as jnp, cupy In [2]: x = jnp.array([1,2,3]) In [3]: y = torch.as_tensor(cupy.asarray(x), device="cuda") In [4]: x.__cuda_array_interface__ Out[4]: {'shape': (3,), 'typestr': '<i4', 'data': (140492215944704, True), 'version': 2} In [5]: y.__cuda_array_interface__ Out[5]: {'typestr': '<i4', 'shape': (3,), 'strides': (4,), 'data': (140492215944704, False), 'version': 1} ) ``` ## Expected behavior PyTorch should support the readonly flag. cc @ngimel
module: internals,module: cuda,triaged,module: numba
low
Critical
558,198,257
rust
Oddity in what lines count towards coverage
I asked this over on `mozilla/grcov` but then realized that it is better suited to here. While using the following `RUSTFLAGS` to generate coverage reports I have found some odditites with what is considers to be covered/not-covered/not-needed to be covered. ``` -Zprofile -Ccodegen-units=1 -Cinline-threshold=0 -Clink-dead-code -Coverflow-checks=off -Zno-landing-pads ``` 1. Test functions (all of `mod tests`) are counted towards coverage 2. Some comments (including doc comments) are counted towards coverage (and sometimes not covered even though the "line" was passed through) 3. struct/enum definitions (even if that variant/type is used or created) 4. trait definitions (even if a type which implements that trait is used through a trait typed variable) 5. Close braces (even if both branches are taken) 6. use statements Would it be possible to either add a flag to ignore these, or to just ignore them all the time?
A-debuginfo,P-low,T-compiler
low
Major
558,208,493
godot
Oculus VR Module causes white screen on Windows 10
**Godot version:** 3.2 Edit: and all prior. It appears to be an issue with the Oculus Plugin itself. **OS/device including version:** Windows 10 **Issue description:** Oculus Vr Module causes issues when opening a .godot project file. **Steps to reproduce:** 1. Create a project. 2. In Godot on Windows 10, open the project and add the Oculus VR Module through the AssetLib tab. 3. Close Godot. 4. Try to reopen project in Godot. It does not matter what platform any of the steps are performed in, the resulting project will always open to a white screen on Windows 10 as long as the Oculus Module is installed for the project.
bug,topic:editor
low
Minor
558,231,503
flutter
Camera + QR Detect crashes on older device due to memory leak in debug mode
This only affects the app in Debug mode, so it probably isn't that high of priority. It's very annoying for trying to build the app though, so I'm going to make the issue anyways. The backstory to this is that I'm trying to write a dart-only QR scanning package, and I have everything working but after about 10 seconds it crashes on my Nexus 5x. I took out various parts until I discovered that it could be reproduced with just the camera plugin and a sized box (I wasn't able to reproduce it when the camera view was full screen, so I think one issue might have something to do with scaling the native view). I'll include that first: ## Steps to Reproduce with just camera: Run this main.dart in a project with the camera package included: ```dart import 'package:camera/camera.dart'; import 'package:flutter/material.dart'; Future<CameraDescription> getCamera(CameraLensDirection dir) async { return await availableCameras().then( (List<CameraDescription> cameras) => cameras.firstWhere( (CameraDescription camera) => camera.lensDirection == dir, ), ); } Future<void> main() async { WidgetsFlutterBinding.ensureInitialized(); final CameraDescription camera = await getCamera(CameraLensDirection.back); if (camera == null) { throw UnsupportedError("need a back camera"); } runApp(CrashApp(camera: camera)); } class CrashApp extends StatefulWidget { final CameraDescription camera; const CrashApp({Key key, this.camera}) : super(key: key); @override _CrashAppState createState() => _CrashAppState(); } class _CrashAppState extends State<CrashApp> { CameraController controller = CameraController(null, null); @override void initState() { super.initState(); CameraController controller = CameraController( widget.camera, ResolutionPreset.high, enableAudio: false, ); () async { await controller.initialize(); setState(() { this.controller = controller; }); int i = 0; controller.startImageStream((image) async { ++i; }); }(); } @override Widget build(BuildContext context) { return MaterialApp( home: Scaffold( body: Center( child: SizedBox( width: 200, height: 200, child: CameraPreview(controller), ), ), ), ); } @override void dispose() { controller?.stopImageStream(); controller?.dispose(); super.dispose(); } } ``` **Expected results:** That the app doesn't crash. **Actual results:** The app crashes. Looking at observatory, I can see that the native portion slowly grows over time, until it reaches about 45% which is when the app crashes. <img width="1613" alt="Screen Shot 2020-01-31 at 3 34 42 PM" src="https://user-images.githubusercontent.com/3103484/73551947-40434400-443f-11ea-8284-3ae1eb248946.png"> And this shows over time: <img width="1642" alt="Screen Shot 2020-01-31 at 3 37 10 PM" src="https://user-images.githubusercontent.com/3103484/73552187-af209d00-443f-11ea-9974-78b66fc9ca6e.png"> I believe the same crash will occur on other devices with more memory but will just take a lot longer. ## With qr detecting, the crash happens much quicker due to the increased memory load, but once again only in debug mode. Dependent on Camera and FirebaseMobileVision plugins. ```dart import 'dart:typed_data'; import 'package:camera/camera.dart'; import 'package:firebase_ml_vision/firebase_ml_vision.dart'; import 'package:flutter/foundation.dart'; import 'package:flutter/material.dart'; class QrScannerUtils { QrScannerUtils._(); static Future<CameraDescription> getCamera(CameraLensDirection dir) async { return await availableCameras().then( (List<CameraDescription> cameras) => cameras.firstWhere( (CameraDescription camera) => camera.lensDirection == dir, ), ); } static Future<T> detect<T>({ @required CameraImage image, @required Future<T> Function(FirebaseVisionImage image) detectInImage, @required int imageRotation, }) async { return detectInImage != null ? detectInImage( FirebaseVisionImage.fromBytes( _concatenatePlanes(image.planes), _buildMetaData( image, _rotationIntToImageRotation(imageRotation), ), ), ) : null; } static Uint8List _concatenatePlanes(List<Plane> planes) { final WriteBuffer allBytes = WriteBuffer(); for (Plane plane in planes) { allBytes.putUint8List(plane.bytes); } return allBytes.done().buffer.asUint8List(); } static FirebaseVisionImageMetadata _buildMetaData( CameraImage image, ImageRotation rotation, ) { return FirebaseVisionImageMetadata( rawFormat: image.format.raw, size: Size(image.width.toDouble(), image.height.toDouble()), rotation: rotation, planeData: image.planes.map( (Plane plane) { return FirebaseVisionImagePlaneMetadata( bytesPerRow: plane.bytesPerRow, height: plane.height, width: plane.width, ); }, ).toList(), ); } static ImageRotation _rotationIntToImageRotation(int rotation) { switch (rotation) { case 0: return ImageRotation.rotation0; case 90: return ImageRotation.rotation90; case 180: return ImageRotation.rotation180; default: assert(rotation == 270); return ImageRotation.rotation270; } } } Future<void> main() async { WidgetsFlutterBinding.ensureInitialized(); final CameraDescription camera = await QrScannerUtils.getCamera(CameraLensDirection.back); if (camera == null) { throw UnsupportedError("need a back camera"); } runApp(CrashApp(camera: camera)); } class CrashApp extends StatefulWidget { final CameraDescription camera; const CrashApp({Key key, this.camera}) : super(key: key); @override _CrashAppState createState() => _CrashAppState(); } class _CrashAppState extends State<CrashApp> { CameraController controller = CameraController(null, null); @override void initState() { super.initState(); CameraController controller = CameraController( widget.camera, ResolutionPreset.high, enableAudio: false, ); () async { await controller.initialize(); setState(() { this.controller = controller; }); var barcodeDetector = FirebaseVision.instance.barcodeDetector(); bool isDetecting = false; controller.startImageStream((image) async { if (isDetecting) return; isDetecting = true; var barcode = await QrScannerUtils.detect( image: image, detectInImage: (visionImage) => barcodeDetector.detectInImage(visionImage), imageRotation: controller.description.sensorOrientation); isDetecting = false; }); }(); } @override Widget build(BuildContext context) { return MaterialApp( home: Scaffold( body: Center( child: SizedBox( width: 200, height: 200, child: CameraPreview(controller), ), ), ), ); } @override void dispose() { controller?.stopImageStream(); controller?.dispose(); super.dispose(); } } ``` <details> <summary>Logs</summary> <!-- Run your application with `flutter run --verbose` and attach all the log output below between the lines with the backticks. If there is an exception, please see if the error message includes enough information to explain how to solve the issue. --> ## For first instance - camera only in debug mode: ``` [ +38 ms] executing: [/Users/morgan/devtools/flutter/] git -c log.showSignature=false log -n 1 --pretty=format:%H [ +39 ms] Exit code 0 from: git -c log.showSignature=false log -n 1 --pretty=format:%H [ ] 92f7e16312d9c7c396c0100dcb699458c3f10172 [ ] executing: [/Users/morgan/devtools/flutter/] git describe --match v*.*.* --first-parent --long --tags [ +39 ms] Exit code 0 from: git describe --match v*.*.* --first-parent --long --tags [ ] v1.14.6-38-g92f7e1631 [ +16 ms] executing: [/Users/morgan/devtools/flutter/] git rev-parse --abbrev-ref --symbolic @{u} [ +10 ms] Exit code 0 from: git rev-parse --abbrev-ref --symbolic @{u} [ ] origin/master [ ] executing: [/Users/morgan/devtools/flutter/] git ls-remote --get-url origin [ +14 ms] Exit code 0 from: git ls-remote --get-url origin [ ] https://github.com/flutter/flutter.git [ +74 ms] executing: [/Users/morgan/devtools/flutter/] git rev-parse --abbrev-ref HEAD [ +23 ms] Exit code 0 from: git rev-parse --abbrev-ref HEAD [ +2 ms] master [ +22 ms] executing: sw_vers -productName [ +19 ms] Exit code 0 from: sw_vers -productName [ +1 ms] Mac OS X [ ] executing: sw_vers -productVersion [ +27 ms] Exit code 0 from: sw_vers -productVersion [ ] 10.15.3 [ ] executing: sw_vers -buildVersion [ +30 ms] Exit code 0 from: sw_vers -buildVersion [ ] 19D76 [ +47 ms] Artifact Instance of 'AndroidMavenArtifacts' is not required, skipping update. [ ] Artifact Instance of 'AndroidGenSnapshotArtifacts' is not required, skipping update. [ ] Artifact Instance of 'AndroidInternalBuildArtifacts' is not required, skipping update. [ ] Artifact Instance of 'IOSEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'FlutterWebSdk' is not required, skipping update. [ +6 ms] Artifact Instance of 'WindowsEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'MacOSEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'LinuxEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'LinuxFuchsiaSDKArtifacts' is not required, skipping update. [ ] Artifact Instance of 'MacOSFuchsiaSDKArtifacts' is not required, skipping update. [ ] Artifact Instance of 'FlutterRunnerSDKArtifacts' is not required, skipping update. [ ] Artifact Instance of 'FlutterRunnerDebugSymbols' is not required, skipping update. [ +73 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb devices -l [ +12 ms] Exit code 0 from: /Users/morgan/Library/Android/sdk/platform-tools/adb devices -l [ ] List of devices attached 00c5937b0b2c37ce device usb:338690048X product:bullhead model:Nexus_5X device:bullhead transport_id:3 [ +54 ms] executing: /Users/morgan/devtools/flutter/bin/cache/artifacts/libimobiledevice/idevice_id -h [ +258 ms] executing: /usr/bin/xcode-select --print-path [ +10 ms] Exit code 0 from: /usr/bin/xcode-select --print-path [ ] /Applications/Xcode.app/Contents/Developer [ +1 ms] executing: /usr/bin/xcodebuild -version [ +921 ms] Exit code 0 from: /usr/bin/xcodebuild -version [ ] Xcode 11.3.1 Build version 11C504 [ +3 ms] /usr/bin/xcrun simctl list --json devices [ +132 ms] /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce shell getprop [ +94 ms] Artifact Instance of 'AndroidMavenArtifacts' is not required, skipping update. [ +9 ms] Artifact Instance of 'AndroidInternalBuildArtifacts' is not required, skipping update. [ ] Artifact Instance of 'IOSEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'FlutterWebSdk' is not required, skipping update. [ +3 ms] Artifact Instance of 'WindowsEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'MacOSEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'LinuxEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'LinuxFuchsiaSDKArtifacts' is not required, skipping update. [ ] Artifact Instance of 'MacOSFuchsiaSDKArtifacts' is not required, skipping update. [ ] Artifact Instance of 'FlutterRunnerSDKArtifacts' is not required, skipping update. [ ] Artifact Instance of 'FlutterRunnerDebugSymbols' is not required, skipping update. [ +122 ms] Found plugin camera at /Users/morgan/devtools/flutter/.pub-cache/hosted/pub.dartlang.org/camera-0.5.7+3/ [ +92 ms] Found plugin camera at /Users/morgan/devtools/flutter/.pub-cache/hosted/pub.dartlang.org/camera-0.5.7+3/ [ +98 ms] Generating /Users/morgan/Programming/temp/qrtest/bug/android/app/src/main/java/io/flutter/plugins/GeneratedPluginRegistrant.java [ +58 ms] ro.hardware = bullhead [ ] ro.build.characteristics = nosdcard [ +60 ms] Launching lib/main.dart on Nexus 5X in debug mode... [ +12 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce shell -x logcat -v time -t 1 [ +80 ms] Exit code 0 from: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce shell -x logcat -v time -t 1 [ ] --------- beginning of main 01-31 15:27:00.774 I/nanohub ( 3420): osLog: [AR_CHRE] ON => IDLE [ +10 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb version [ +1 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce logcat -v time -T 01-31 15:27:00.774 [ +57 ms] Android Debug Bridge version 1.0.41 Version 29.0.5-5949299 Installed as /Users/morgan/Library/Android/sdk/platform-tools/adb [ +3 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb start-server [ +10 ms] Building APK [ +28 ms] Running Gradle task 'assembleDebug'... [ +10 ms] gradle.properties already sets `android.enableR8` [ +3 ms] Using gradle from /Users/morgan/Programming/temp/qrtest/bug/android/gradlew. [ ] /Users/morgan/Programming/temp/qrtest/bug/android/gradlew mode: 33261 rwxr-xr-x. [ +327 ms] executing: /usr/bin/plutil -convert json -o - /Applications/Android Studio.app/Contents/Info.plist [ +11 ms] Exit code 0 from: /usr/bin/plutil -convert json -o - /Applications/Android Studio.app/Contents/Info.plist [ ] {"CFBundleName":"Android Studio","JVMOptions":{"ClassPath":"$APP_PACKAGE\/Contents\/lib\/bootstrap.jar:$APP_PACKAGE\/Contents\/lib\/extensions.jar:$APP_PACKAGE\/Contents\/lib\/util.jar:$APP_PACKAGE\/Contents\/lib\/jdom.jar:$APP_PACKAGE\/Contents\/lib\/log4 j.jar:$APP_PACKAGE\/Contents\/lib\/trove4j.jar:$APP_PACKAGE\/Contents\/lib\/jna.jar","JVMVersion":"1.8*,1.8+","WorkingDirectory":"$APP_PACKAGE\/Contents\/bin","MainClass":"com.intellij.idea.Main","Properties":{"idea.paths.selector" :"AndroidStudio3.5","idea.executable":"studio","idea.platform.prefix":"AndroidStudio","idea.home.path":"$APP_PACKAGE\/Contents"}},"LSArchitecturePriority":["x86_64"],"CFBundleVersion":"AI-191.8026.42.35.6010548","CFBundleDevelopmen tRegion":"English","CFBundleDocumentTypes":[{"CFBundleTypeName":"Android Studio Project File","CFBundleTypeExtensions":["ipr"],"CFBundleTypeRole":"Editor","CFBundleTypeIconFile":"studio.icns"},{"CFBundleTypeName":"All documents","CFBundleTypeExtensions":["*"],"CFBundleTypeOSTypes":["****"],"CFBundleTypeRole":"Editor","LSTypeIsPackage":false}],"NSSupportsAutomaticGraphicsSwitching":true,"CFBundlePackageType":"APPL","CFBundleIconFile":"studio.icns ","NSHighResolutionCapable":true,"CFBundleShortVersionString":"3.5","CFBundleInfoDictionaryVersion":"6.0","CFBundleExecutable":"studio","LSRequiresNativeExecution":"YES","CFBundleURLTypes":[{"CFBundleTypeRole":"Editor","CFBundleURL Name":"Stacktrace","CFBundleURLSchemes":["idea"]}],"CFBundleIdentifier":"com.google.android.studio","LSApplicationCategoryType":"public.app-category.developer-tools","CFBundleSignature":"????","LSMinimumSystemVersion":"10.8","CFBun dleGetInfoString":"Android Studio 3.5, build AI-191.8026.42.35.6010548. Copyright JetBrains s.r.o., (c) 2000-2019"} [ +11 ms] executing: /Applications/Android Studio.app/Contents/jre/jdk/Contents/Home/bin/java -version [ +169 ms] Exit code 0 from: /Applications/Android Studio.app/Contents/jre/jdk/Contents/Home/bin/java -version [ ] openjdk version "1.8.0_202-release" OpenJDK Runtime Environment (build 1.8.0_202-release-1483-b49-5587405) OpenJDK 64-Bit Server VM (build 25.202-b49-5587405, mixed mode) [ +1 ms] executing: [/Users/morgan/Programming/temp/qrtest/bug/android/] /Users/morgan/Programming/temp/qrtest/bug/android/gradlew -Pverbose=true -Ptarget=/Users/morgan/Programming/temp/qrtest/bug/lib/main.dart -Ptrack-widget-creation=true -Pfilesystem-scheme=org-dartlang-root -Ptarget-platform=android-arm64 assembleDebug [+3426 ms] > Task :app:compileFlutterBuildDebug [ ] [ +23 ms] executing: [/Users/morgan/devtools/flutter/] git -c log.showSignature=false log -n 1 --pretty=format:%H [ ] [ +49 ms] Exit code 0 from: git -c log.showSignature=false log -n 1 --pretty=format:%H [ ] [ ] 92f7e16312d9c7c396c0100dcb699458c3f10172 [ ] [ ] executing: [/Users/morgan/devtools/flutter/] git describe --match v*.*.* --first-parent --long --tags [ ] [ +32 ms] Exit code 0 from: git describe --match v*.*.* --first-parent --long --tags [ ] [ ] v1.14.6-38-g92f7e1631 [ ] [ +33 ms] executing: [/Users/morgan/devtools/flutter/] git rev-parse --abbrev-ref --symbolic @{u} [ ] [ +78 ms] Exit code 0 from: git rev-parse --abbrev-ref --symbolic @{u} [ ] [ +14 ms] origin/master [ ] [ +3 ms] executing: [/Users/morgan/devtools/flutter/] git ls-remote --get-url origin [ ] [ +24 ms] Exit code 0 from: git ls-remote --get-url origin [ ] [ ] https://github.com/flutter/flutter.git [ ] [ +155 ms] executing: [/Users/morgan/devtools/flutter/] git rev-parse --abbrev-ref HEAD [ ] [ +13 ms] Exit code 0 from: git rev-parse --abbrev-ref HEAD [ ] [ ] master [ ] [ +27 ms] Artifact Instance of 'AndroidMavenArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'AndroidGenSnapshotArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'AndroidInternalBuildArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'IOSEngineArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'FlutterWebSdk' is not required, skipping update. [ ] [ +2 ms] Artifact Instance of 'WindowsEngineArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'MacOSEngineArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'LinuxEngineArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'LinuxFuchsiaSDKArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'MacOSFuchsiaSDKArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'FlutterRunnerSDKArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'FlutterRunnerDebugSymbols' is not required, skipping update. [ ] [ +6 ms] Artifact Instance of 'MaterialFonts' is not required, skipping update. [ ] [ ] Artifact Instance of 'GradleWrapper' is not required, skipping update. [ ] [ ] Artifact Instance of 'AndroidMavenArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'AndroidGenSnapshotArtifacts' is not required, skipping update. [ +1 ms] [ ] Artifact Instance of 'AndroidInternalBuildArtifacts' is not required, skipping update. [ +5 ms] [ ] Artifact Instance of 'IOSEngineArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'FlutterWebSdk' is not required, skipping update. [ ] [ ] Artifact Instance of 'FlutterSdk' is not required, skipping update. [ ] [ ] Artifact Instance of 'WindowsEngineArtifacts' is not required, skipping update. [ +1 ms] [ ] Artifact Instance of 'MacOSEngineArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'LinuxEngineArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'LinuxFuchsiaSDKArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'MacOSFuchsiaSDKArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'FlutterRunnerSDKArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'FlutterRunnerDebugSymbols' is not required, skipping update. [ ] [ ] Artifact Instance of 'IosUsbArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'IosUsbArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'IosUsbArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'IosUsbArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'IosUsbArtifacts' is not required, skipping update. [ ] [ +1 ms] Artifact Instance of 'IosUsbArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'IosUsbArtifacts' is not required, skipping update. [ ] [ ] Artifact Instance of 'FontSubsetArtifacts' is not required, skipping update. [ ] [ +77 ms] Initializing file store [ +1 ms] [ +24 ms] Done initializing file store [+1462 ms] [+1997 ms] Skipping target: kernel_snapshot [ +96 ms] [ +59 ms] debug_android_application: Starting due to {InvalidatedReason.outputMissing} [ +306 ms] [ +284 ms] debug_android_application: Complete [ ] [ +14 ms] Persisting file store [ ] [ +9 ms] Done persisting file store [ ] [ +4 ms] build succeeded. [ ] [ +16 ms] "flutter assemble" took 2,543ms. [ ] > Task :app:packLibsflutterBuildDebug UP-TO-DATE [ ] > Task :app:preBuild UP-TO-DATE [ ] > Task :app:preDebugBuild UP-TO-DATE [ +100 ms] > Task :camera:preBuild UP-TO-DATE [ ] > Task :camera:preDebugBuild UP-TO-DATE [ ] > Task :camera:compileDebugAidl NO-SOURCE [ ] > Task :camera:packageDebugRenderscript NO-SOURCE [ ] > Task :app:checkDebugManifest UP-TO-DATE [ ] > Task :app:compileDebugRenderscript NO-SOURCE [ ] > Task :app:generateDebugBuildConfig UP-TO-DATE [ ] > Task :app:compileDebugAidl NO-SOURCE [ ] > Task :app:cleanMergeDebugAssets [ ] > Task :app:mergeDebugShaders UP-TO-DATE [ ] > Task :app:compileDebugShaders UP-TO-DATE [ ] > Task :app:generateDebugAssets UP-TO-DATE [ ] > Task :camera:mergeDebugShaders UP-TO-DATE [ ] > Task :camera:compileDebugShaders UP-TO-DATE [ ] > Task :camera:generateDebugAssets UP-TO-DATE [ ] > Task :camera:packageDebugAssets UP-TO-DATE [ ] > Task :app:mergeDebugAssets [ +390 ms] > Task :app:copyFlutterAssetsDebug [ ] > Task :app:mainApkListPersistenceDebug UP-TO-DATE [ ] > Task :app:generateDebugResValues UP-TO-DATE [ ] > Task :app:generateDebugResources UP-TO-DATE [ ] > Task :camera:generateDebugResValues UP-TO-DATE [ ] > Task :camera:compileDebugRenderscript NO-SOURCE [ ] > Task :camera:generateDebugResources UP-TO-DATE [ ] > Task :camera:packageDebugResources UP-TO-DATE [ +701 ms] > Task :app:createDebugCompatibleScreenManifests [ ] > Task :camera:checkDebugManifest UP-TO-DATE [ ] > Task :camera:processDebugManifest UP-TO-DATE [ +95 ms] > Task :app:processDebugManifest [ ] > Task :app:mergeDebugResources [ ] > Task :camera:parseDebugLibraryResources UP-TO-DATE [ ] > Task :camera:generateDebugBuildConfig [ +102 ms] > Task :camera:generateDebugRFile [ +497 ms] > Task :app:processDebugResources [ ] > Task :camera:javaPreCompileDebug [+2102 ms] > Task :camera:compileDebugJavaWithJavac [ +1 ms] Note: /Users/morgan/devtools/flutter/.pub-cache/hosted/pub.dartlang.org/camera-0.5.7+3/android/src/main/java/io/flutter/plugins/camera/CameraPlugin.java uses or overrides a deprecated API. [ +1 ms] Note: Recompile with -Xlint:deprecation for details. [ +197 ms] > Task :camera:bundleLibCompileDebug [+8104 ms] > Task :app:compileDebugKotlin [ ] > Task :app:processDebugJavaRes NO-SOURCE [ ] > Task :camera:processDebugJavaRes NO-SOURCE [ ] > Task :app:javaPreCompileDebug [ +494 ms] > Task :app:compileDebugJavaWithJavac [ ] > Task :app:compileDebugSources [ ] > Task :camera:bundleLibResDebug [+2400 ms] > Task :app:mergeDebugJavaResource [+7099 ms] > Task :app:checkDebugDuplicateClasses [ +97 ms] > Task :app:desugarDebugFileDependencies [ ] > Task :camera:bundleLibRuntimeDebug [ ] > Task :camera:createFullJarDebug [ +400 ms] > Task :app:mergeLibDexDebug [ +898 ms] > Task :app:transformClassesWithDexBuilderForDebug [ +99 ms] > Task :app:mergeProjectDexDebug [ +100 ms] > Task :app:validateSigningDebug [ ] > Task :app:signingConfigWriterDebug [ ] > Task :app:mergeDebugJniLibFolders [ ] > Task :camera:mergeDebugJniLibFolders [ +104 ms] > Task :camera:mergeDebugNativeLibs [ ] > Task :camera:stripDebugDebugSymbols [ ] > Task :camera:transformNativeLibsWithIntermediateJniLibsForDebug [ ] > Task :camera:extractDebugAnnotations [ ] > Task :camera:mergeDebugGeneratedProguardFiles [ ] > Task :camera:mergeDebugConsumerProguardFiles [ ] > Task :camera:prepareLintJarForPublish [ ] > Task :camera:mergeDebugJavaResource [ +96 ms] > Task :camera:transformClassesAndResourcesWithSyncLibJarsForDebug [ ] > Task :camera:transformNativeLibsWithSyncJniLibsForDebug [ ] > Task :camera:bundleDebugAar [ ] > Task :camera:compileDebugSources [ ] > Task :camera:assembleDebug [+2799 ms] > Task :app:mergeDebugNativeLibs [ +102 ms] Unable to strip library '/Users/morgan/Programming/temp/qrtest/bug/build/app/intermediates/merged_native_libs/debug/out/lib/x86/libflutter.so' due to missing strip tool for ABI 'X86'. Packaging it as is. [ +994 ms] > Task :app:stripDebugDebugSymbols [ ] Compatible side by side NDK version was not found. [ ] Unable to strip library '/Users/morgan/Programming/temp/qrtest/bug/build/app/intermediates/merged_native_libs/debug/out/lib/arm64-v8a/libflutter.so' due to missing strip tool for ABI 'ARM64_V8A'. Packaging it as is. [ ] Unable to strip library '/Users/morgan/Programming/temp/qrtest/bug/build/app/intermediates/merged_native_libs/debug/out/lib/x86_64/libflutter.so' due to missing strip tool for ABI 'X86_64'. Packaging it as is. [ +799 ms] > Task :app:mergeExtDexDebug [+6102 ms] > Task :app:packageDebug [ ] > Task :app:assembleDebug [ ] Deprecated Gradle features were used in this build, making it incompatible with Gradle 6.0. [ ] Use '--warning-mode all' to show the individual deprecation warnings. [ ] See https://docs.gradle.org/5.6.2/userguide/command_line_interface.html#sec:command_line_warnings [ ] BUILD SUCCESSFUL in 40s [ ] 59 actionable tasks: 44 executed, 15 up-to-date [ +394 ms] Running Gradle task 'assembleDebug'... (completed in 41.1s) [ +59 ms] calculateSha: LocalDirectory: '/Users/morgan/Programming/temp/qrtest/bug/build/app/outputs/apk'/app.apk [ +87 ms] calculateSha: reading file took 86us [+1118 ms] calculateSha: computing sha took 1117us [ +4 ms] βœ“ Built build/app/outputs/apk/debug/app-debug.apk. [ +8 ms] executing: /Users/morgan/Library/Android/sdk/build-tools/29.0.2/aapt dump xmltree /Users/morgan/Programming/temp/qrtest/bug/build/app/outputs/apk/app.apk AndroidManifest.xml [ +22 ms] Exit code 0 from: /Users/morgan/Library/Android/sdk/build-tools/29.0.2/aapt dump xmltree /Users/morgan/Programming/temp/qrtest/bug/build/app/outputs/apk/app.apk AndroidManifest.xml [ ] N: android=http://schemas.android.com/apk/res/android E: manifest (line=2) A: android:versionCode(0x0101021b)=(type 0x10)0x1 A: android:versionName(0x0101021c)="1.0.0" (Raw: "1.0.0") A: android:compileSdkVersion(0x01010572)=(type 0x10)0x1c A: android:compileSdkVersionCodename(0x01010573)="9" (Raw: "9") A: package="com.example.bug" (Raw: "com.example.bug") A: platformBuildVersionCode=(type 0x10)0x1c A: platformBuildVersionName=(type 0x10)0x9 E: uses-sdk (line=7) A: android:minSdkVersion(0x0101020c)=(type 0x10)0x15 A: android:targetSdkVersion(0x01010270)=(type 0x10)0x1c E: uses-permission (line=14) A: android:name(0x01010003)="android.permission.INTERNET" (Raw: "android.permission.INTERNET") E: uses-permission (line=15) A: android:name(0x01010003)="android.permission.CAMERA" (Raw: "android.permission.CAMERA") E: uses-permission (line=16) A: android:name(0x01010003)="android.permission.RECORD_AUDIO" (Raw: "android.permission.RECORD_AUDIO") E: application (line=24) A: android:label(0x01010001)="bug" (Raw: "bug") A: android:icon(0x01010002)=@0x7f080000 A: android:name(0x01010003)="io.flutter.app.FlutterApplication" (Raw: "io.flutter.app.FlutterApplication") A: android:debuggable(0x0101000f)=(type 0x12)0xffffffff A: android:appComponentFactory(0x0101057a)="androidx.core.app.CoreComponentFactory" (Raw: "androidx.core.app.CoreComponentFactory") E: activity (line=30) A: android:theme(0x01010000)=@0x7f0a0000 A: android:name(0x01010003)="com.example.bug.MainActivity" (Raw: "com.example.bug.MainActivity") A: android:launchMode(0x0101001d)=(type 0x10)0x1 A: android:configChanges(0x0101001f)=(type 0x11)0x40003fb4 A: android:windowSoftInputMode(0x0101022b)=(type 0x11)0x10 A: android:hardwareAccelerated(0x010102d3)=(type 0x12)0xffffffff E: meta-data (line=44) A: android:name(0x01010003)="io.flutter.embedding.android.NormalTheme" (Raw: "io.flutter.embedding.android.NormalTheme") A: android:resource(0x01010025)=@0x7f0a0001 E: meta-data (line=54) A: android:name(0x01010003)="io.flutter.embedding.android.SplashScreenDrawable" (Raw: "io.flutter.embedding.android.SplashScreenDrawable") A: android:resource(0x01010025)=@0x7f040000 E: intent-filter (line=58) E: action (line=59) A: android:name(0x01010003)="android.intent.action.MAIN" (Raw: "android.intent.action.MAIN") E: category (line=61) A: android:name(0x01010003)="android.intent.category.LAUNCHER" (Raw: "android.intent.category.LAUNCHER") E: meta-data (line=68) A: android:name(0x01010003)="flutterEmbedding" (Raw: "flutterEmbedding") A: android:value(0x01010024)=(type 0x10)0x2 [ +6 ms] Stopping app 'app.apk' on Nexus 5X. [ +1 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce shell am force-stop com.example.bug [ +145 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce shell pm list packages com.example.bug [+1420 ms] Installing APK. [ +3 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb version [ +7 ms] Android Debug Bridge version 1.0.41 Version 29.0.5-5949299 Installed as /Users/morgan/Library/Android/sdk/platform-tools/adb [ ] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb start-server [ +7 ms] Installing build/app/outputs/apk/app.apk... [ ] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce install -t -r /Users/morgan/Programming/temp/qrtest/bug/build/app/outputs/apk/app.apk [+11437 ms] Performing Streamed Install Success [ ] Installing build/app/outputs/apk/app.apk... (completed in 11.4s) [ +4 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce shell echo -n e7edd3c2ca74c295105d6e9f2aaffc2abd17252f > /data/local/tmp/sky.com.example.bug.sha1 [ +72 ms] Nexus 5X startApp [ +3 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce shell am start -a android.intent.action.RUN -f 0x20000000 --ez enable-background-compilation true --ez enable-dart-profiling true --ez enable-checked-mode true --ez verify-entry-points true com.example.bug/com.example.bug.MainActivity [ +128 ms] Starting: Intent { act=android.intent.action.RUN flg=0x20000000 cmp=com.example.bug/.MainActivity (has extras) } [ ] Waiting for observatory port to be available... [+2465 ms] Observatory URL on device: http://127.0.0.1:38482/tMtWnXgHo30=/ [ +2 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce forward tcp:0 tcp:38482 [ +13 ms] 54961 [ ] Forwarded host port 54961 to device port 38482 for Observatory [ +16 ms] Connecting to service protocol: http://127.0.0.1:54961/tMtWnXgHo30=/ [ +673 ms] Successfully connected to service protocol: http://127.0.0.1:54961/tMtWnXgHo30=/ [ +2 ms] Sending to VM service: getVM({}) [ +10 ms] Result: {type: VM, name: vm, architectureBits: 64, hostCPU: Qualcomm Technologies, Inc MSM8992, operatingSystem: android, targetCPU: arm64, version: 2.8.0-dev.6.0.flutter-fc3af737c7 (Fri Jan 24 09:53:26 2020 +0000) on "android_arm64", _profilerMode: VM, _... [ +8 ms] Sending to VM service: getIsolate({isolateId: isolates/596174783914835}) [ +4 ms] Sending to VM service: _flutter.listViews({}) [ +19 ms] Result: {type: FlutterViewList, views: [{type: FlutterView, id: _flutterView/0x7896c4fa20, isolate: {type: @Isolate, fixedId: true, id: isolates/596174783914835, name: main.dart$main-596174783914835, number: 596174783914835}}]} [ +19 ms] DevFS: Creating new filesystem on the device (null) [ ] Sending to VM service: _createDevFS({fsName: bug}) [ +164 ms] Result: {type: Isolate, id: isolates/596174783914835, name: main, number: 596174783914835, _originNumber: 596174783914835, startTime: 1580484479532, _heaps: {new: {type: HeapSpace, name: new, vmName: Scavenger, collections: 0, avgCollectionPeriodMillis: 0... [ +20 ms] Result: {type: FileSystem, name: bug, uri: file:///data/user/0/com.example.bug/code_cache/bugLPZMPT/bug/} [ ] DevFS: Created new filesystem on the device (file:///data/user/0/com.example.bug/code_cache/bugLPZMPT/bug/) [ +2 ms] Updating assets [ +140 ms] Syncing files to device Nexus 5X... [ +1 ms] Scanning asset files [ +1 ms] <- reset [ ] Compiling dart to kernel with 0 updated files [ +6 ms] /Users/morgan/devtools/flutter/bin/cache/dart-sdk/bin/dart /Users/morgan/devtools/flutter/bin/cache/artifacts/engine/darwin-x64/frontend_server.dart.snapshot --sdk-root /Users/morgan/devtools/flutter/bin/cache/artifacts/engine/common/flutter_patched_sdk/ --incremental --target=flutter -Ddart.developer.causal_async_stacks=true --output-dill /var/folders/24/97qhxdvs57b87p2bjf27p7400000gp/T/flutter_tool.oZWD4Z/app.dill --packages /Users/morgan/Programming/temp/qrtest/bug/.packages -Ddart.vm.profile=false -Ddart.vm.product=false --bytecode-options=source-positions,local-var-info,debugger-stops,instance-field-initializers,keep-unreachable-code,avoid-closure-call-instructions --enable-asserts --track-widget-creation --filesystem-scheme org-dartlang-root [ +5 ms] <- compile package:qrtest/main.dart [ +16 ms] I/CameraManagerGlobal(16471): Connecting to camera service [+4908 ms] I/Adreno (16471): Invalid colorspace 1 [ +377 ms] I/Adreno (16471): Invalid colorspace 1 [ +44 ms] I/Adreno (16471): Invalid colorspace 1 [ +65 ms] I/Adreno (16471): Invalid colorspace 1 [ +27 ms] I/zygote64(16471): Do partial code cache collection, code=27KB, data=29KB [ ] I/zygote64(16471): After code cache collection, code=23KB, data=26KB [ ] I/zygote64(16471): Increasing code cache capacity to 128KB [ +39 ms] I/Adreno (16471): Invalid colorspace 1 [ +89 ms] I/Adreno (16471): Invalid colorspace 1 [ +105 ms] I/Adreno (16471): Invalid colorspace 1 [ +178 ms] I/Adreno (16471): Invalid colorspace 1 [+1868 ms] I/zygote64(16471): Do partial code cache collection, code=61KB, data=50KB [ ] I/zygote64(16471): After code cache collection, code=61KB, data=50KB [ ] I/zygote64(16471): Increasing code cache capacity to 256KB [ +605 ms] I/zygote64(16471): Background concurrent copying GC freed 276(143KB) AllocSpace objects, 15(20MB) LOS objects, 36% free, 41MB/65MB, paused 603us total 164.090ms [ +183 ms] I/zygote64(16471): Background concurrent copying GC freed 765(157KB) AllocSpace objects, 43(59MB) LOS objects, 50% free, 19MB/38MB, paused 5.316ms total 99.885ms [ +515 ms] Updating files [ +418 ms] I/zygote64(16471): Background concurrent copying GC freed 562(126KB) AllocSpace objects, 29(42MB) LOS objects, 34% free, 45MB/69MB, paused 87us total 232.354ms [ +373 ms] DevFS: Sync finished [ +1 ms] Syncing files to device Nexus 5X... (completed in 9,834ms, longer than expected) [ ] Synced 0.9MB. [ +3 ms] Sending to VM service: _flutter.listViews({}) [ +17 ms] Result: {type: FlutterViewList, views: [{type: FlutterView, id: _flutterView/0x7896c4fa20, isolate: {type: @Isolate, fixedId: true, id: isolates/596174783914835, name: main.dart$main-596174783914835, number: 596174783914835}}]} [ +3 ms] <- accept [ ] Connected to _flutterView/0x7896c4fa20. [ +1 ms] Flutter run key commands. [ +1 ms] r Hot reload. πŸ”₯πŸ”₯πŸ”₯ [ ] R Hot restart. [ ] h Repeat this help message. [ ] d Detach (terminate "flutter run" but leave application running). [ ] q Quit (terminate the application on the device). [ ] An Observatory debugger and profiler on Nexus 5X is available at: http://127.0.0.1:54961/tMtWnXgHo30=/ [ +24 ms] I/zygote64(16471): Background concurrent copying GC freed 917(123KB) AllocSpace objects, 48(64MB) LOS objects, 29% free, 56MB/80MB, paused 3.872ms total 312.821ms [ +284 ms] I/zygote64(16471): Background concurrent copying GC freed 1187(140KB) AllocSpace objects, 55(75MB) LOS objects, 32% free, 49MB/73MB, paused 2.807ms total 188.659ms [ +830 ms] I/zygote64(16471): Background concurrent copying GC freed 303(111KB) AllocSpace objects, 16(22MB) LOS objects, 40% free, 35MB/59MB, paused 9.031ms total 101.687ms [+5676 ms] I/zygote64(16471): Background concurrent copying GC freed 344(111KB) AllocSpace objects, 15(20MB) LOS objects, 49% free, 24MB/48MB, paused 2.354ms total 151.168ms [ +158 ms] I/Adreno (16471): Invalid colorspace 1 [+1847 ms] I/zygote64(16471): Do full code cache collection, code=124KB, data=85KB [ +2 ms] I/zygote64(16471): After code cache collection, code=111KB, data=64KB [+10620 ms] I/zygote64(16471): Do partial code cache collection, code=123KB, data=75KB [ +2 ms] I/zygote64(16471): After code cache collection, code=123KB, data=75KB [ ] I/zygote64(16471): Increasing code cache capacity to 512KB [+1933 ms] I/zygote64(16471): Background concurrent copying GC freed 349(129KB) AllocSpace objects, 14(19MB) LOS objects, 49% free, 15MB/30MB, paused 1.030ms total 144.252ms [ +305 ms] I/zygote64(16471): Background concurrent copying GC freed 203(81KB) AllocSpace objects, 6(6MB) LOS objects, 50% free, 9MB/19MB, paused 5.096ms total 26.547ms [+9274 ms] I/zygote64(16471): Background concurrent copying GC freed 413(110KB) AllocSpace objects, 23(31MB) LOS objects, 49% free, 9MB/18MB, paused 6.919ms total 39.058ms [+3959 ms] I/zygote64(16471): Background concurrent copying GC freed 459(128KB) AllocSpace objects, 21(29MB) LOS objects, 45% free, 28MB/52MB, paused 2.460ms total 157.936ms [ +413 ms] I/zygote64(16471): Background concurrent copying GC freed 830(141KB) AllocSpace objects, 35(48MB) LOS objects, 48% free, 25MB/49MB, paused 137us total 274.536ms [ +260 ms] I/zygote64(16471): Background concurrent copying GC freed 796(140KB) AllocSpace objects, 33(45MB) LOS objects, 43% free, 31MB/55MB, paused 1.650ms total 139.677ms [ +176 ms] I/zygote64(16471): Background concurrent copying GC freed 825(147KB) AllocSpace objects, 37(51MB) LOS objects, 39% free, 37MB/61MB, paused 2.919ms total 106.055ms [ +214 ms] I/zygote64(16471): Background concurrent copying GC freed 896(146KB) AllocSpace objects, 43(61MB) LOS objects, 42% free, 32MB/56MB, paused 75us total 123.596ms [ +198 ms] I/zygote64(16471): Background concurrent copying GC freed 849(143KB) AllocSpace objects, 39(51MB) LOS objects, 42% free, 32MB/56MB, paused 1.257ms total 125.252ms [ +647 ms] I/zygote64(16471): Background concurrent copying GC freed 286(110KB) AllocSpace objects, 16(22MB) LOS objects, 49% free, 10MB/21MB, paused 5.921ms total 36.964ms [ +840 ms] I/zygote64(16471): Background concurrent copying GC freed 515(111KB) AllocSpace objects, 28(38MB) LOS objects, 43% free, 31MB/55MB, paused 686us total 111.828ms [+3992 ms] I/zygote64(16471): Background concurrent copying GC freed 490(129KB) AllocSpace objects, 25(32MB) LOS objects, 36% free, 42MB/66MB, paused 122us total 174.064ms [ +400 ms] I/zygote64(16471): Background concurrent copying GC freed 351(96KB) AllocSpace objects, 15(20MB) LOS objects, 43% free, 30MB/54MB, paused 791us total 105.182ms [ +842 ms] I/zygote64(16471): Background concurrent copying GC freed 727(126KB) AllocSpace objects, 34(44MB) LOS objects, 40% free, 35MB/59MB, paused 3.763ms total 117.138ms [ +191 ms] I/zygote64(16471): Background concurrent copying GC freed 742(141KB) AllocSpace objects, 41(56MB) LOS objects, 38% free, 39MB/63MB, paused 2.791ms total 122.543ms [ +238 ms] I/zygote64(16471): Background concurrent copying GC freed 880(144KB) AllocSpace objects, 42(58MB) LOS objects, 33% free, 47MB/71MB, paused 816us total 162.301ms [ +344 ms] I/zygote64(16471): Background concurrent copying GC freed 604(129KB) AllocSpace objects, 29(39MB) LOS objects, 41% free, 33MB/57MB, paused 939us total 133.029ms [ +277 ms] I/zygote64(16471): Background concurrent copying GC freed 761(144KB) AllocSpace objects, 37(53MB) LOS objects, 33% free, 47MB/71MB, paused 2.835ms total 209.952ms [ +194 ms] I/zygote64(16471): Background concurrent copying GC freed 965(158KB) AllocSpace objects, 49(67MB) LOS objects, 48% free, 24MB/48MB, paused 58us total 105.475ms [ +447 ms] I/zygote64(16471): Background concurrent copying GC freed 802(160KB) AllocSpace objects, 35(48MB) LOS objects, 32% free, 49MB/73MB, paused 378us total 179.316ms [ +838 ms] I/zygote64(16471): Background concurrent copying GC freed 620(157KB) AllocSpace objects, 36(49MB) LOS objects, 42% free, 32MB/56MB, paused 739us total 128.519ms [ +798 ms] I/zygote64(16471): Background concurrent copying GC freed 749(142KB) AllocSpace objects, 40(55MB) LOS objects, 49% free, 20MB/41MB, paused 384us total 107.021ms [ +179 ms] I/zygote64(16471): Background concurrent copying GC freed 643(95KB) AllocSpace objects, 28(38MB) LOS objects, 49% free, 21MB/43MB, paused 831us total 103.827ms [ +558 ms] I/zygote64(16471): Background concurrent copying GC freed 491(127KB) AllocSpace objects, 20(27MB) LOS objects, 33% free, 47MB/71MB, paused 4.315ms total 188.493ms [ +168 ms] I/zygote64(16471): Background concurrent copying GC freed 859(142KB) AllocSpace objects, 48(66MB) LOS objects, 48% free, 24MB/48MB, paused 2.634ms total 111.177ms [ +662 ms] I/zygote64(16471): Background concurrent copying GC freed 538(127KB) AllocSpace objects, 14(19MB) LOS objects, 46% free, 27MB/51MB, paused 43.277ms total 179.615ms [ +254 ms] I/zygote64(16471): Background concurrent copying GC freed 670(110KB) AllocSpace objects, 34(46MB) LOS objects, 41% free, 33MB/57MB, paused 1.593ms total 121.796ms [+10733 ms] I/zygote64(16471): Background concurrent copying GC freed 317(96KB) AllocSpace objects, 14(19MB) LOS objects, 50% free, 21MB/42MB, paused 934us total 220.299ms [+13024 ms] I/zygote64(16471): Waiting for a blocking GC ProfileSaver [ +14 ms] I/zygote64(16471): WaitForGcToComplete blocked ProfileSaver on HeapTrim for 10.832ms [+1829 ms] I/zygote64(16471): Background concurrent copying GC freed 611(125KB) AllocSpace objects, 34(46MB) LOS objects, 46% free, 27MB/51MB, paused 1.096ms total 205.117ms [ +390 ms] I/zygote64(16471): Background concurrent copying GC freed 845(121KB) AllocSpace objects, 34(47MB) LOS objects, 42% free, 32MB/56MB, paused 2.751ms total 139.566ms [ +609 ms] I/zygote64(16471): Background concurrent copying GC freed 417(81KB) AllocSpace objects, 21(29MB) LOS objects, 44% free, 30MB/54MB, paused 85us total 114.894ms [ +198 ms] I/zygote64(16471): Background concurrent copying GC freed 735(125KB) AllocSpace objects, 38(54MB) LOS objects, 47% free, 26MB/50MB, paused 156us total 121.253ms [ +170 ms] I/zygote64(16471): Background concurrent copying GC freed 609(141KB) AllocSpace objects, 35(48MB) LOS objects, 41% free, 33MB/57MB, paused 85us total 122.601ms [ +178 ms] I/zygote64(16471): Background concurrent copying GC freed 844(144KB) AllocSpace objects, 40(52MB) LOS objects, 49% free, 24MB/48MB, paused 116us total 105.531ms [ +158 ms] I/zygote64(16471): Background concurrent copying GC freed 567(112KB) AllocSpace objects, 30(44MB) LOS objects, 48% free, 25MB/49MB, paused 89us total 109.250ms [+8733 ms] I/zygote64(16471): Background concurrent copying GC freed 599(128KB) AllocSpace objects, 30(41MB) LOS objects, 50% free, 19MB/38MB, paused 6.416ms total 62.917ms [+1398 ms] I/zygote64(16471): Background concurrent copying GC freed 302(111KB) AllocSpace objects, 16(22MB) LOS objects, 45% free, 28MB/52MB, paused 218us total 128.291ms [ +263 ms] I/zygote64(16471): Background concurrent copying GC freed 665(141KB) AllocSpace objects, 35(48MB) LOS objects, 44% free, 30MB/54MB, paused 375us total 221.304ms [ +423 ms] I/zygote64(16471): Background concurrent copying GC freed 532(96KB) AllocSpace objects, 27(37MB) LOS objects, 49% free, 24MB/48MB, paused 5.165ms total 86.162ms [+1084 ms] I/zygote64(16471): Background concurrent copying GC freed 373(97KB) AllocSpace objects, 16(22MB) LOS objects, 50% free, 19MB/38MB, paused 5.238ms total 61.115ms [ +184 ms] I/zygote64(16471): Background concurrent copying GC freed 510(111KB) AllocSpace objects, 26(36MB) LOS objects, 43% free, 31MB/55MB, paused 3.084ms total 127.418ms [ +183 ms] I/zygote64(16471): Background concurrent copying GC freed 708(126KB) AllocSpace objects, 37(51MB) LOS objects, 45% free, 28MB/52MB, paused 320us total 125.677ms [ +192 ms] I/zygote64(16471): Background concurrent copying GC freed 662(110KB) AllocSpace objects, 35(48MB) LOS objects, 38% free, 39MB/63MB, paused 1.796ms total 132.670ms [ +182 ms] I/zygote64(16471): Background concurrent copying GC freed 783(160KB) AllocSpace objects, 42(58MB) LOS objects, 40% free, 35MB/59MB, paused 1.204ms total 118.387ms [ +233 ms] I/zygote64(16471): Background concurrent copying GC freed 848(144KB) AllocSpace objects, 41(56MB) LOS objects, 36% free, 41MB/65MB, paused 2.469ms total 168.333ms [ +489 ms] I/zygote64(16471): Background concurrent copying GC freed 861(127KB) AllocSpace objects, 43(59MB) LOS objects, 29% free, 56MB/80MB, paused 437us total 237.239ms [ +298 ms] I/zygote64(16471): Background concurrent copying GC freed 734(144KB) AllocSpace objects, 35(48MB) LOS objects, 29% free, 58MB/82MB, paused 373us total 228.440ms [ +292 ms] I/zygote64(16471): Background concurrent copying GC freed 1167(145KB) AllocSpace objects, 56(77MB) LOS objects, 38% free, 39MB/63MB, paused 2.217ms total 205.855ms [ +527 ms] I/zygote64(16471): Background concurrent copying GC freed 762(145KB) AllocSpace objects, 36(50MB) LOS objects, 26% free, 68MB/92MB, paused 1.915ms total 309.091ms [ +285 ms] I/zygote64(16471): Background concurrent copying GC freed 1324(143KB) AllocSpace objects, 63(87MB) LOS objects, 49% free, 10MB/21MB, paused 2.741ms total 161.144ms [ +124 ms] I/zygote64(16471): Background concurrent copying GC freed 441(111KB) AllocSpace objects, 13(17MB) LOS objects, 32% free, 48MB/72MB, paused 2.158ms total 149.095ms [ +219 ms] I/zygote64(16471): Background concurrent copying GC freed 1007(145KB) AllocSpace objects, 49(67MB) LOS objects, 50% free, 19MB/39MB, paused 2.805ms total 139.090ms [ +271 ms] I/zygote64(16471): Background concurrent copying GC freed 560(128KB) AllocSpace objects, 23(34MB) LOS objects, 34% free, 45MB/69MB, paused 117us total 219.055ms [ +172 ms] I/zygote64(16471): Background concurrent copying GC freed 961(142KB) AllocSpace objects, 47(62MB) LOS objects, 44% free, 29MB/53MB, paused 68us total 118.474ms [ +493 ms] I/zygote64(16471): Background concurrent copying GC freed 649(99KB) AllocSpace objects, 30(44MB) LOS objects, 26% free, 67MB/91MB, paused 89us total 283.479ms [ +246 ms] I/zygote64(16471): Background concurrent copying GC freed 1252(142KB) AllocSpace objects, 63(87MB) LOS objects, 33% free, 47MB/71MB, paused 82us total 174.104ms [ +497 ms] I/zygote64(16471): Background concurrent copying GC freed 944(143KB) AllocSpace objects, 49(67MB) LOS objects, 22% free, 80MB/104MB, paused 213us total 422.382ms [ +298 ms] I/zygote64(16471): Background concurrent copying GC freed 1625(157KB) AllocSpace objects, 74(100MB) LOS objects, 37% free, 39MB/63MB, paused 5.824ms total 202.463ms [ +253 ms] I/zygote64(16471): Background concurrent copying GC freed 937(143KB) AllocSpace objects, 44(60MB) LOS objects, 38% free, 38MB/62MB, paused 3.832ms total 188.907ms [ +176 ms] I/zygote64(16471): Background concurrent copying GC freed 1127(151KB) AllocSpace objects, 47(65MB) LOS objects, 48% free, 25MB/49MB, paused 82us total 121.082ms [+1001 ms] I/zygote64(16471): Background concurrent copying GC freed 688(144KB) AllocSpace objects, 35(48MB) LOS objects, 39% free, 37MB/61MB, paused 894us total 128.212ms [ +217 ms] I/zygote64(16471): Background concurrent copying GC freed 807(143KB) AllocSpace objects, 41(57MB) LOS objects, 43% free, 31MB/55MB, paused 884us total 131.556ms [ +331 ms] I/zygote64(16471): Background concurrent copying GC freed 720(144KB) AllocSpace objects, 33(43MB) LOS objects, 49% free, 24MB/48MB, paused 762us total 113.529ms [ +435 ms] I/zygote64(16471): Background concurrent copying GC freed 707(142KB) AllocSpace objects, 42(58MB) LOS objects, 38% free, 38MB/62MB, paused 204us total 147.937ms [ +253 ms] I/zygote64(16471): Background concurrent copying GC freed 781(141KB) AllocSpace objects, 42(58MB) LOS objects, 39% free, 37MB/61MB, paused 1.704ms total 180.788ms [ +168 ms] I/zygote64(16471): Background concurrent copying GC freed 847(143KB) AllocSpace objects, 41(56MB) LOS objects, 46% free, 27MB/51MB, paused 1.102ms total 107.510ms [ +219 ms] I/zygote64(16471): Background concurrent copying GC freed 731(145KB) AllocSpace objects, 34(47MB) LOS objects, 37% free, 40MB/64MB, paused 1.079ms total 153.687ms [ +222 ms] I/zygote64(16471): Background concurrent copying GC freed 855(144KB) AllocSpace objects, 44(60MB) LOS objects, 39% free, 37MB/61MB, paused 3.463ms total 162.201ms [ +377 ms] I/zygote64(16471): Background concurrent copying GC freed 365(96KB) AllocSpace objects, 9(12MB) LOS objects, 32% free, 48MB/72MB, paused 108us total 148.025ms [ +205 ms] I/zygote64(16471): Background concurrent copying GC freed 876(142KB) AllocSpace objects, 49(67MB) LOS objects, 39% free, 37MB/61MB, paused 2.099ms total 142.156ms [ +261 ms] I/zygote64(16471): Background concurrent copying GC freed 864(143KB) AllocSpace objects, 41(56MB) LOS objects, 35% free, 43MB/67MB, paused 721us total 185.408ms [ +227 ms] I/zygote64(16471): Background concurrent copying GC freed 889(144KB) AllocSpace objects, 44(63MB) LOS objects, 48% free, 25MB/49MB, paused 103us total 155.508ms [ +227 ms] I/zygote64(16471): Background concurrent copying GC freed 813(128KB) AllocSpace objects, 34(44MB) LOS objects, 42% free, 32MB/56MB, paused 178us total 156.791ms [ +268 ms] I/zygote64(16471): Background concurrent copying GC freed 772(144KB) AllocSpace objects, 36(51MB) LOS objects, 27% free, 62MB/86MB, paused 69us total 225.876ms [ +378 ms] I/zygote64(16471): Background concurrent copying GC freed 1203(142KB) AllocSpace objects, 62(83MB) LOS objects, 36% free, 41MB/65MB, paused 7.021ms total 285.759ms [ +277 ms] I/zygote64(16471): Background concurrent copying GC freed 1036(142KB) AllocSpace objects, 43(61MB) LOS objects, 42% free, 32MB/56MB, paused 94us total 192.875ms [ +214 ms] I/zygote64(16471): Background concurrent copying GC freed 923(145KB) AllocSpace objects, 40(52MB) LOS objects, 43% free, 31MB/55MB, paused 852us total 154.515ms [ +260 ms] I/zygote64(16471): Background concurrent copying GC freed 805(129KB) AllocSpace objects, 36(50MB) LOS objects, 39% free, 37MB/61MB, paused 542us total 180.285ms [ +401 ms] I/zygote64(16471): Background concurrent copying GC freed 908(144KB) AllocSpace objects, 42(58MB) LOS objects, 40% free, 35MB/59MB, paused 3.431ms total 312.363ms [ +329 ms] I/zygote64(16471): Background concurrent copying GC freed 1068(143KB) AllocSpace objects, 40(55MB) LOS objects, 48% free, 24MB/48MB, paused 2.238ms total 147.058ms [ +195 ms] I/zygote64(16471): Background concurrent copying GC freed 628(113KB) AllocSpace objects, 31(44MB) LOS objects, 41% free, 33MB/57MB, paused 87us total 133.586ms [ +321 ms] I/zygote64(16471): Background concurrent copying GC freed 981(129KB) AllocSpace objects, 41(54MB) LOS objects, 44% free, 29MB/53MB, paused 2.311ms total 231.748ms [ +402 ms] I/zygote64(16471): Background concurrent copying GC freed 807(142KB) AllocSpace objects, 40(55MB) LOS objects, 28% free, 59MB/83MB, paused 3.498ms total 342.103ms [ +389 ms] I/zygote64(16471): Background concurrent copying GC freed 1301(142KB) AllocSpace objects, 57(78MB) LOS objects, 33% free, 47MB/71MB, paused 1.542ms total 216.508ms [ +377 ms] I/zygote64(16471): Background concurrent copying GC freed 971(144KB) AllocSpace objects, 48(66MB) LOS objects, 24% free, 73MB/97MB, paused 69us total 302.787ms [ +198 ms] I/zygote64(16471): Background concurrent copying GC freed 1298(144KB) AllocSpace objects, 66(93MB) LOS objects, 38% free, 38MB/62MB, paused 90us total 128.226ms [+1327 ms] I/zygote64(16471): Background concurrent copying GC freed 265(111KB) AllocSpace objects, 15(20MB) LOS objects, 37% free, 39MB/63MB, paused 80us total 164.286ms [ +699 ms] I/zygote64(16471): Background concurrent copying GC freed 784(142KB) AllocSpace objects, 43(59MB) LOS objects, 29% free, 56MB/80MB, paused 2.671ms total 179.485ms [ +166 ms] I/zygote64(16471): Background concurrent copying GC freed 902(141KB) AllocSpace objects, 55(75MB) LOS objects, 33% free, 47MB/71MB, paused 1.449ms total 300.097ms [ +868 ms] Service protocol connection closed. [ ] Lost connection to device. [ +3 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce forward --list [ +36 ms] Exit code 0 from: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce forward --list [ ] 00c5937b0b2c37ce tcp:54961 tcp:38482 [ +2 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce forward --remove tcp:54961 [ +37 ms] DevFS: Deleting filesystem on the device (file:///data/user/0/com.example.bug/code_cache/bugLPZMPT/bug/) [ +1 ms] Sending to VM service: _deleteDevFS({fsName: bug}) [ +259 ms] Ignored error while cleaning up DevFS: TimeoutException after 0:00:00.250000: Future not completed [ +3 ms] executing: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce forward --list [ +12 ms] Exit code 0 from: /Users/morgan/Library/Android/sdk/platform-tools/adb -s 00c5937b0b2c37ce forward --list [ +3 ms] "flutter run" took 176,010ms. ``` ## Flutter Doctor: ``` [βœ“] Flutter (Channel master, v1.14.7-pre.38, on Mac OS X 10.15.3 19D76, locale en-CA) β€’ Flutter version 1.14.7-pre.38 at /Users/morgan/devtools/flutter β€’ Framework revision 92f7e16312 (2 days ago), 2020-01-29 17:51:31 -0800 β€’ Engine revision 6007c17fd2 β€’ Dart version 2.8.0 (build 2.8.0-dev.5.0 fc3af737c7) [βœ“] Android toolchain - develop for Android devices (Android SDK version 29.0.2) β€’ Android SDK at /Users/morgan/Library/Android/sdk β€’ Android NDK location not configured (optional; useful for native profiling support) β€’ Platform android-29, build-tools 29.0.2 β€’ Java binary at: /Applications/Android Studio.app/Contents/jre/jdk/Contents/Home/bin/java β€’ Java version OpenJDK Runtime Environment (build 1.8.0_202-release-1483-b49-5587405) β€’ All Android licenses accepted. [βœ“] Xcode - develop for iOS and macOS (Xcode 11.3.1) β€’ Xcode at /Applications/Xcode.app/Contents/Developer β€’ Xcode 11.3.1, Build version 11C504 β€’ CocoaPods version 1.8.4 [βœ“] Android Studio (version 3.5) β€’ Android Studio at /Applications/Android Studio.app/Contents β€’ Flutter plugin version 42.1.1 β€’ Dart plugin version 191.8593 β€’ Java version OpenJDK Runtime Environment (build 1.8.0_202-release-1483-b49-5587405) [βœ“] IntelliJ IDEA Community Edition (version 2019.3.2) β€’ IntelliJ at /Applications/IntelliJ IDEA CE.app β€’ Flutter plugin version 42.1.4 β€’ Dart plugin version 193.6015.53 [βœ“] VS Code (version 1.41.1) β€’ VS Code at /Applications/Visual Studio Code.app/Contents β€’ Flutter extension version 3.7.1 [βœ“] Connected device (2 available) β€’ Nexus 5X β€’ ------------- β€’ android-arm64 β€’ Android 8.1.0 (API 27) β€’ iPhone β€’ ---------------------- β€’ ios β€’ iOS 13.3 β€’ No issues found! ``` </details>
c: crash,platform-android,c: performance,p: camera,package,perf: memory,P3,c: fatal crash,team-android,triaged-android
low
Critical
558,255,957
TypeScript
Declaration emit for private identifiers in class expressions is wrong
**Code** ```ts const O = class { #g } ``` **Expected behavior:** ```ts declare const O = class { #private } ``` **Actual behavior:** ```ts declare const O: { new (): { "__#1@#g": any; }; }; ```
Bug,Help Wanted,Rescheduled
low
Minor
558,289,587
godot
Custom C# script templates sometimes cause the editor to freeze permanently
**Godot version:** 3.2 (Mono) **OS/device including version:** Windows 10 **Issue description:** When creating a C# script from a custom template (located in script_templates) the editor sometimes permanently freezes and locks up when the .mono directory is present. Some more details gathered after testing: - The .mono directory generated when opening the project does not cause the freeze - The freeze always happens after pressing the build button, or running the game - Deleting the .mono directory does not prevent the crash until the editor is restarted - Just restarting Godot without deleting .mono does not fix the issue - No errors/logs in the console ![crash](https://user-images.githubusercontent.com/7606171/73563346-6546af80-445d-11ea-85f7-c9c1b7e7cf65.gif) The contents of my script look like this ```csharp using Godot; using System; namespace Asteroids { public class %CLASS% : %BASE% { public override void _Ready() { } public override void _Process(float delta) { } } } ``` **Steps to reproduce:** - Open up a working Mono project - Creating a script from a custom template freezes the editor - Close the editor & delete the .mono directory - Custom scripts now work again **Minimal reproduction project:** I prefer to keep my projects source private, and so far attempting to reproduce the issue in separate projects hasn't worked out yet This issue started happening around the same time as my other issue #35664
bug,topic:editor,topic:dotnet
low
Critical
558,293,924
pytorch
Confusing error messages of tensor.scatter_ on both CPU and CUDA
Both messages seem to be wrong and confusing. basically the V should have the same dimensions as I. Input/output tensor have nothing to do with this dimension check (failing argument inds are different and confusing too). However it would be good if `torch.gather` and `tensor.scatter_` supported broadcasting (adding extra dimensions or at least expanding if all dimensions are present). These error messages also have different terminology compared to the docs. They term `self` as `output tensor` and `src`/`V` as `input tensor` (another error message of this kind `RuntimeError: invalid argument 3: Index tensor must be either empty or have same dimensions as input tensor at /opt/conda/conda-bld/pytorch_1577225354628/work/aten/src/THC/generic/THCTensorScatterGather.cu:115`) ```python import torch device = 'cuda' res = torch.zeros(1, 87810, device = device, dtype = torch.long) I = torch.ones(1, 148661, device = device, dtype = torch.long) V = torch.arange(148661, device = device, dtype = torch.long) res.scatter_(-1, I, V.unsqueeze(0)) # works res.scatter_(-1, I, V) #CUDA: #Traceback (most recent call last): # File "bug.py", line 11, in <module> # res.scatter_(-1, I, V) # fails with: # RuntimeError: invalid argument 3: Index tensor must be either empty or have same dimensions as input tensor at /opt/conda/conda-bld/pytorch_1577225354628/work/aten/src/THC/generic/THCTensorScatterGather.cu:115 #CPU: #Traceback (most recent call last): # File "bug.py", line 11, in <module> # res.scatter_(-1, I, V) # RuntimeError: invalid argument 4: Input tensor must have same dimensions as output tensor at /opt/conda/conda-bld/pytorch_1577225354628/work/aten/src/TH/generic/THTensorEvenMoreMath.cpp:670 ``` cc @jlin27 @mruberry
module: docs,module: error checking,triaged,module: scatter & gather ops
low
Critical
558,315,669
go
x/pkgsite: support searching for internal packages
For example: https://pkg.go.dev/search?q=internal%2Flsp should return results including https://pkg.go.dev/golang.org/x/tools/internal/lsp?tab=doc.
NeedsInvestigation,pkgsite,pkgsite/search
low
Minor
558,317,739
PowerToys
Lock the numeric keypad to always and forever use numbers
# Summary of the new feature/enhancement The numeric keypad has two states, use like numbers or use like idk navigation and idk what else. I wanna just use the numbers and I want it to never ever again change to anything else than numbers. Is very annoying it keeps changing. # Proposed technical implementation details (optional) Just lock it in the numeric keypad state and prevent any state switch, forever. Thank you!
Help Wanted,Good first issue,Idea-New PowerToy
medium
Critical
558,319,118
godot
Pressing <tab> to move to the next input field selects the input label instead, when editing the Border Width in a custom style
**Godot version:** 3.2 **OS/device including version:** Linux 5.4.15 **Issue description:** Pressing tab to select the next input field selects the label instead **Steps to reproduce:** * Create a new project * Create a control node * Add a Panel as a child to the control node * Under Custom Styles create a new StyleBoxFlat * Under Border Width, click the input box for Left and enter a numerical value, now press the tab key to select Top, enter a value, continue to do this for Right and Bottom as well. This is the important step: press the tab key once more. * Click the Left input field for Border Width again and enter a new value, press the tab key and enter a new value for the Top and Right inputs. Pressing the tab key from the Right input should take you to the Bottom input however it highlights the Bottom label instead of the input field and it's not possible to enter a new value (even if it's selected with the mouse cursor).
bug,topic:editor,confirmed,topic:gui
low
Minor
558,371,492
kubernetes
Cannot update HPA objects using object metrics with AverageValue
**What happened**: When attempting to label a HorizontalPodAutoscaler (autoscaling/v2beta2) object that has an object metric using `AverageValue`, received the following error: ```The HorizontalPodAutoscaler "<hpa-name>" is invalid: spec.metrics[0].object.target.value: Invalid value: resource.Quantity{i:resource.int64Amount{value:0, scale:0}, d:resource.infDecAmount{Dec:(*inf.Dec)(nil)}, s:"0", Format:"DecimalSI"}: must be positive``` **What you expected to happen**: The `label` command should properly label the HPA object with no errors, since the HPA was able to build and run without errors. **How to reproduce it (as minimally and precisely as possible)**: 1. Create a hpa.v2beta2.autoscaling object that includes the following metric: ``` - object: describedObject: kind: Service name: svc-name metric: name: metric-name:sum target: averageValue: 4650 type: AverageValue type: Object ``` Make sure that you're using `AverageValue` and don't have a `Value` set. 2. Run the following command: ``` kubectl label hpa hpa_name -n namespace_name testlabel=test ``` **Anything else we need to know?**: We were able to build and apply the HPA object without encountering any errors, and it appears to be scaling properly. This error only happens when calling `kubectl label` on the existing HPA object. **Environment**: - Kubernetes version (use `kubectl version`): tried in both 1.15.3 and 1.16.4 - Cloud provider or hardware configuration: AWS - OS (e.g: `cat /etc/os-release`): darwin/amd64 - Kernel (e.g. `uname -a`): Darwin Kernel Version 17.7.0: Fri Jul 6 19:54:51 PDT 2018; root:xnu-4570.71.3~2/RELEASE_X86_64 x86_64
kind/bug,sig/autoscaling,triage/accepted
high
Critical
558,382,666
TypeScript
Array method definition revamp: Use case collection
We've gotten numerous issue reports and PRs to change the methods of `Array`, particularly `reduce`, `map`, and `filter`. The built-in test suite doesn't cover these very well, and these methods interact with each other and the surrounding contextual type in fairly subtle ways. @jablko has done a great job at #33645 collecting a variety of issues into a single PR; we need to augment this PR (or something like this) with a proper test suite so we can be sure about what's being changed. I'd like to create a clearinghouse issue here to collect **self-contained** (I CANNOT POSSIBLY STRESS THIS ENOUGH, **SELF-CONTAINED**, DO NOT IMPORT FROM RXJS OR WHAT HAVE YOU) code samples that make use of the array methods. Please include with your snippet: * Compiler settings * Compiler version you were testing with * The **expected** behavior (examples that should and should not produce errors are both useful) * No imports or exports; snippets need to be self-contained so that we can put them into our test suite without extra complications Once we've established a critical mass of code snippets, we can start combining the existing PRs into an all-up revamp and assess its impact to real-world code suites to figure out which changes don't result in unacceptable breaking changes. ο½“ο½…ο½Œο½†οΌο½ƒο½ο½Žο½”ο½ο½‰ο½Žο½…ο½„
Suggestion,Needs Proposal,Meta-Issue
high
Critical
558,387,384
go
x/pkgsite: provide options for sorting search results by number of imports and stars on GitHub
As requested on https://blog.golang.org/pkg.go.dev-2020: I have found godoc.org to be the best way to search for _quality_ Go modules, significantly because it defaults to sorting by the number of imports (possibly informed by the number of stars). Compare: https://pkg.go.dev/search?q=smtp To: https://godoc.org/?q=smtp Observe, for instance, that on godoc.org, Brad Fitz's smtpd server comes up early, whereas on pkg.go.dev the front page has several packages of much less importance, and smtpd shows up on page 17 after a lot of inner modules and minor forks and larger projects that just happen to have an "smtp" package. Prioritizing hits at the "top level" of the package is probably a good idea, too; github.com/blah/smtpd is much more likely to be what I'm looking for than github.com/blah/project/go/inner1/inner2/smtp. I also routinely suggest this to newcomers as a way of locating modules for Go.
NeedsInvestigation,pkgsite,pkgsite/search
low
Minor
558,394,935
TypeScript
Allowing relative paths in triple slash "types" directives generates broken definitions
I managed to publish a module with unusable type definitions due to incorrect use of triple slash directives in one of my dependencies. I think Typescript could and should have caught this as an error when generating declarations during compilation. **TypeScript Version:** `3.8.0-dev.20200131` **Search Terms:** > triple slash directive relative path **Code** Let's build a minimal app that consumes a custom type definition. For convenience I'll place that in `types` and specify `typeRoots` but this also applies to published modules which might appear in `node-modules/@types/some_module`. ``` β”œβ”€β”€ package.json β”œβ”€β”€ tsconfig.json β”œβ”€β”€ src | └── main.ts └── types └── package β”œβ”€β”€ index.d.ts └── type.d.ts ``` _package.json_ ```json { "name": "reference-type-paths", "version": "1.0.0", "private": true, "scripts": { "build": "rm -rf dist/*; tsc" }, "devDependencies": { "typescript": "^3.8.0-dev.20200131" } } ``` _tsconfig.json_ ```json { "compilerOptions": { "target": "ES2019", "module": "commonjs", "declaration": true, "outDir": "./dist", "strict": true, "typeRoots": ["./types"] } } ``` We setup some TS file to use a custom type defined in a module. _src/main.ts_ ```ts export class Container { readonly data: Optional<string>; } ``` Unfortunately our module has incorrectly used a `types` triple slash directive with a path. _types/package/index.d.ts_ ```ts /// <reference types="./type" /> ``` _types/package/type.d.ts_ ```ts declare type Optional<T> = T | null | undefined; ``` Finally we run `tsc`. **Expected behavior:** Typescript should not emit declaration files which contain invalid "types" paths. Use of `/// <reference types=` with a path (or a path which would not resolve relative to typeRoots?) should be an error during compilation to prevent generating unusable declaration files. We have `/// <reference path=` which should have been used here instead. If `types/package/index.d.ts` contains `/// <reference path="./type.d.ts" />` Typescript produces: _dist/main.d.ts_ ```ts /// <reference types="package" /> export declare class Container { readonly data: Optional<string>; } ``` Which would then resolve correctly. Alternately a possibly valid but fragile output might be to generate a path relative to the `typeRoots` directory: _dist/main.d.ts_ ```ts /// <reference types="package/type" /> export declare class Container { readonly data: Optional<string>; } ``` https://www.typescriptlang.org/docs/handbook/triple-slash-directives.html#-reference-types- states: > The process of resolving these package names is similar to the process of resolving module names in an import statement. An easy way to think of triple-slash-reference-types directives are as an import for declaration packages. which doesn't suggest that relative paths are inappropriate or dangerous in triple slash type references. **Actual behavior:** Unfortunately what actually get is the preserved relative path from the module's triple slash directive. _dist/main.d.ts_ ```ts /// <reference types="./type" /> export declare class Container { readonly data: Optional<string>; } ``` This definition is unusable. If we publish it consumers of our module will see errors because `type` does not appear relative to their `typeRoots`. This is especially frustrating because may only be noticed in second level dependents of the module with the incorrect directive. In this example I can depend on `package`, apparently successfully compile and generate my own declarations, publish them, and then someone depending on my package hits compile errors attempting to consume my declarations. **Playground Link:** Not possible, depends on generating d.ts declaration files. **Related Issues:** https://github.com/microsoft/TypeScript/issues/35343 https://github.com/microsoft/TypeScript/issues/15559 https://github.com/microsoft/TypeScript/issues/30523
Needs Investigation,Domain: Declaration Emit,Rescheduled
low
Critical
558,407,666
vscode
Emmet match tag fails when tags contain comments jsx
<!-- Please read our Rules of Conduct: https://opensource.microsoft.com/codeofconduct/ --> <!-- Please search existing issues to avoid creating duplicates. --> <!-- Also please test using the latest insiders build to make sure your issue has not already been fixed: https://code.visualstudio.com/insiders/ --> <!-- Use Help > Report Issue to prefill these. --> Version: 1.41.1 Commit: 26076a4de974ead31f97692a0d32f90d735645c0 Date: 2019-12-18T15:04:31.999Z Electron: 6.1.5 Chrome: 76.0.3809.146 Node.js: 12.4.0 V8: 7.6.303.31-electron.0 OS: Linux x64 5.0.0-37-generic snap Command `"editor.emmet.action.matchTag"` 1. Can't jump to matching tag when the tag has a comment on an attribute. Matching still works with other tags such as the child div. ```js import React from "react"; const Column = () => { return ( {/* Can Not Jump */} <div className="parent" // onClick={() => {}} onAbort={() => {}} onAbortCapture={() => {}} > <div className="child">title</div> {/* Can Jump */} </div> ); }; export default Column; ``` 2. Inferred Types will disable any tag matching. This example is in a tsx file. ```js import React, { useRef } from "react"; const Column = () => { const ref1 = useRef<HTMLElement>(null); // Inferred Type return ( {/* Can Not Jump */} <div className="parent" onClick={() => {}} onAbort={() => {}} onAbortCapture={() => {}} > <div className="child">title</div>{/* Can Not Jump */} </div> ); }; export default Column; ```
bug,emmet
low
Minor
558,408,656
pytorch
CUDNN_STATUS_EXECUTION_FAILED
When I train the code, the following problem suddenly appears ``` Traceback (most recent call last): File "main.py", line 211, in <module> train(args,model,train_loader,optimizer,epoch) File "/media/nnir712/F264A15264A119FD/zzh/detect/yolo/zzh_yolo/zzh_yolo_mobilenet/train.py", line 22, in train loss, outputs = model(imgs, targets) File "/home/nnir712/anaconda3/envs/zzhpy36/lib/python3.6/site-packages/torch/nn/modules/module.py", line 532, in __call__ result = self.forward(*input, **kwargs) File "/media/nnir712/F264A15264A119FD/zzh/detect/yolo/zzh_yolo/zzh_yolo_mobilenet/models.py", line 297, in forward x = module(x) File "/home/nnir712/anaconda3/envs/zzhpy36/lib/python3.6/site-packages/torch/nn/modules/module.py", line 532, in __call__ result = self.forward(*input, **kwargs) File "/home/nnir712/anaconda3/envs/zzhpy36/lib/python3.6/site-packages/torch/nn/modules/container.py", line 100, in forward input = module(input) File "/home/nnir712/anaconda3/envs/zzhpy36/lib/python3.6/site-packages/torch/nn/modules/module.py", line 532, in __call__ result = self.forward(*input, **kwargs) File "/home/nnir712/anaconda3/envs/zzhpy36/lib/python3.6/site-packages/torch/nn/modules/conv.py", line 345, in forward return self.conv2d_forward(input, self.weight) File "/home/nnir712/anaconda3/envs/zzhpy36/lib/python3.6/site-packages/torch/nn/modules/conv.py", line 342, in conv2d_forward self.padding, self.dilation, self.groups) RuntimeError: cuDNN error: CUDNN_STATUS_EXECUTION_FAILED ``` System information ``` ubuntu18.04 gmp 6.1.2 h6c8ec71_1 defaults google-auth 1.10.0 pypi_0 pypi google-auth-oauthlib 0.4.1 pypi_0 pypi grpcio 1.26.0 pypi_0 pypi gst-plugins-base 1.14.0 hbbd80ab_1 defaults gstreamer 1.14.0 hb453b48_1 defaults icu 58.2 h9c2bf20_1 defaults idna 2.8 pypi_0 pypi imagecorruptions 1.0.0 pypi_0 pypi imageio 2.6.1 pypi_0 pypi imgaug 0.2.6 pypi_0 pypi importlib_metadata 1.4.0 py36_0 defaults intel-openmp 2019.4 243 defaults ipykernel 5.1.4 py36h39e3cac_0 defaults ipython 7.11.1 py36h39e3cac_0 defaults ipython_genutils 0.2.0 py36_0 defaults ipywidgets 7.5.1 py_0 defaults jedi 0.16.0 py36_0 defaults jinja2 2.10.3 py_0 defaults jpeg 9b h024ee3a_2 defaults jsonpatch 1.24 pypi_0 pypi jsonpointer 2.0 pypi_0 pypi jsonschema 3.2.0 py36_0 defaults jupyter 1.0.0 py36_7 https://mirrors.tuna.tsinghua.edu.cn/anaconda/pkgs/main jupyter_client 5.3.4 py36_0 defaults jupyter_console 6.1.0 py_0 defaults jupyter_core 4.6.1 py36_0 defaults leveldb 1.20 hf484d3e_1 https://mirrors.tuna.tsinghua.edu.cn/anaconda/pkgs/main libedit 3.1.20181209 hc058e9b_0 defaults libffi 3.2.1 hd88cf55_4 defaults libgcc-ng 9.1.0 hdf63c60_0 defaults libgfortran-ng 7.3.0 hdf63c60_0 defaults libpng 1.6.37 hbc83047_0 defaults libprotobuf 3.8.0 hd408876_0 defaults libsodium oauthlib 3.1.0 pypi_0 pypi olefile 0.46 py36_0 defaults opencv-contrib-python 3.4.1.15 pypi_0 pypi opencv-python 4.1.2.30 pypi_0 pypi openssl 1.1.1d h7b6447c_3 defaults pandoc 2.2.3.2 0 defaults pandocfilters 1.4.2 py36_1 defaults parso 0.6.0 py_0 defaults pbr 5.1.3 pypi_0 pypi pcre 8.43 he6710b0_0 defaults pexpect 4.8.0 py36_0 defaults pickleshare 0.7.5 py36_0 defaults pillow 5.0.0 pypi_0 pypi pip 20.0.2 py36_1 defaults prometheus_client 0.7.1 py_0 defaults prompt_toolkit 3.0.3 py_0 defaults protobuf 3.8.0 py36he6710b0_0 https://mirrors.tuna.tsinghua.edu.cn/anaconda/pkgs/main ptyprocess 0.6.0 py36_0 defaults pyasn1 0.4.8 pypi_0 pypi pyasn1-modules 0.2.7 pypi_0 pypi pycocotools 2.0.0 pypi_0 pypi pygments 2.5.2 py_0 defaults pyqt 5.9.2 py36h05f1152_2 defaults pyrsistent 0.15.7 py36h7b6447c_0 defaults python 3.6.8 h0371630_0 https://mirrors.tuna.tsinghua.edu.cn/anaconda/pkgs/main python-dateutil 2.8.1 py_0 defaults pytorch 1.4.0 py3.6_cuda10.1.243_cudnn7.6.3_0 pytorch pyzmq 18.1.0 py36he6710b0_0 defaults qt 5.9.7 h5867ecd_1 defaults qtconsole 4.6.0 py_1 defaults readline 7.0 h7b6447c_5 defaults requests 2.22.0 pypi_0 pypi requests-oauthlib 1.3.0 pypi_0 pypi rsa 4.0 pypi_0 pypi scikit-image 0.16.2 pypi_0 pypi scipy 1.4.1 pypi_0 pypi send2trash 1.5.0 py36_0 defaults setuptools 41.2.0 pypi_0 pypi sip 4.19.8 py36hf484d3e_0 defaults six 1.14.0 py36_0 defaults snappy 1.1.7 hbae5bb6_3 defaults sqlite 3.30.1 h7b6447c_0 defaults tb-nightly 2.0.0a20190915 pypi_0 pypi tensorboard 2.1.0 pypi_0 pypi tensorflow 1.13.1 pypi_0 pypi tensorflow-estimator 1.13.0 pypi_0 pypi terminado 0.8.3 py36_0 defaults terminaltables 3.1.0 pypi_0 pypi testpath 0.4.4 py_0 defaults thop 0.0.31-1912272122 pypi_0 pypi tk 8.6.8 hbc83047_0 defaults torchfile 0.1.0 pypi_0 pypi torchvision 0.5.0 py36_cu101 pytorch tornado 6.0.3 py36h7b6447c_0 defaults tqdm 4.35.0 pypi_0 pypi traitlets 4.3.3 py36_0 defaults urllib3 1.25.7 pypi_0 pypi visdom 0.1.8.9 pypi_0 pypi wcwidth 0.1.7 py36_0 defaults webencodings 0.5.1 py36_1 defaults websocket-client 0.57.0 pypi_0 pypi wheel 0.34.1 py36_0 defaults widgetsnbextension 3.5.1 py36_0 defaults xz 5.2.4 h14c3975_4 defaults zeromq 4.3.1 he6710b0_3 defaults zipp 0.6.0 py_0 defaults zlib 1.2.11 h7b6447c_3 defaults zstd 1.3.7 h0b5b093_0 defaults ``` AND : ``` ` export | grep cuda` declare -x CUDA_HOME="/usr/local/cuda-10.1" declare -x LD_LIBRARY_PATH="”/usr/local/cuda-10.1/lib64:/home/nnir712/anaconda3/pkgs/libprotobuf-3.5.2-h6f1eeef_0/lib:/home/nnir712/anaconda3/pkgs/libprotobuf-3.8.0-hd408876_0/lib:BRARY_PATH:/usr/local/cuda-10.1/lib64:/usr/local/cuda-10.1/extras/CUPTI/lib64”:/home/nnir712/anaconda3/lib" declare -x PATH="/home/nnir712/.local/bin:/home/nnir712/bin:/usr/local/cuda-10.1/bin:/usr/local/cuda-10.1/bin:/home/nnir712/anaconda3/pkgs/libprotobuf-3.5.2-h6f1eeef_0/bin:/home/nnir712/anaconda3/pkgs/libprotobuf-3.8.0-hd408876_0/bin:/home/nnir712/.local/bin:/home/nnir712/bin:/usr/local/cuda-10.1/bin:/usr/local/cuda-10.1/bin:/home/nnir712/anaconda3/pkgs/libprotobuf-3.5.2-h6f1eeef_0/bin:/home/nnir712/anaconda3/pkgs/libprotobuf-3.8.0-hd408876_0/bin:/home/nnir712/anaconda3/envs/zzhpy36/bin:/home/nnir712/anaconda3/condabin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin:/usr/games:/usr/local/games:/snap/bin:/usr/lib/jvm/java-8-oracle/bin:/usr/lib/jvm/java-8-oracle/db/bin:/usr/lib/jvm/java-8-oracle/jre/bin:/home/nnir712/anaconda3/lib:/usr/lib/jvm/java-8-oracle/bin:/usr/lib/jvm/java-8-oracle/db/bin:/usr/lib/jvm/java-8-oracle/jre/bin:/home/nnir712/anaconda3/lib" ``` cc @ngimel @csarofeen @ptrblck
module: cudnn,module: cuda,triaged
low
Critical
558,414,324
pytorch
[RFC] Nested scopes in autograd profiler should support RPC calls properly.
## πŸš€ Feature As described in https://github.com/pytorch/pytorch/issues/32517, nested scopes in the autograd profiler do not work if there are RPC calls in the scope, an example is as follows: ``` with torch.autograd.profiler.profile() as foo: with torch.autograd.profiler.record_function(): rpc.rpc_async(...).wait() ``` After a discussion with @pritamdamania87, we'd like to propose the following solution for enabling this to work with nested scopes: 1. Currently, setting and unsetting parent pointers to the current, thread-local active record_function exists inside `RecordFunction::processCallbacks()` (run at the beginning of the function) and `RecordFunction::end()` (run at the end of the function). We'd like to change these APIs so that `end()` is separated from the code that sets `thread_local_func_ = parent`, into two separate APIs. Users can still call `end()` to do both at once and that will be the normal use case, but for RPC we will call them separately. The newly introduced APIs will be `RecordFunction::runEndCallbacks()` which will just run the end callbacks and not reset the `thread_local_func_`. Instead, this will be handled by `RecordFunction::resetThreadLocalFunc` (or some other name). This function will ensure that the currently active record function points to the parent RecordFunction so that we handle scopes correctly. 2. When returning from `rpc.rpc_async()` we will call `RecordFunction::resetThreadLocalFunc` to correctly handle the nested scopes. Note that this isn't the end of the RPC since the future has not been satisfied yet. When the future corresponding to this RPC is satisfied we will call `RecordFunction::runEndCallbacks()` as we currently do to correctly accumulate the profiling information. 3. I filed https://github.com/pytorch/pytorch/issues/32883 to track this more closely, but we'd also like to start a longer term discussion on the behavior for the profiler under multithreaded scenarios. For example, node A could be running the following code in one thread: ``` with torch.autograd.profiler.profile() as prof: rpc.rpc_async(nodeB, ...) ``` but this could happen while node A is executing torch ops in a separate thread to respond to an RPC from B. In this case, there may be races where those RPCs show up in the profile output but they should not. cc @ezyang @SsnL @albanD @zou3519 @gqchen @pietern @mrshenli @pritamdamania87 @zhaojuanmao @satgera @aazzolini @rohan-varma @xush6528 @jjlilley @osalpekar
module: autograd,triaged,module: rpc
low
Major
558,426,749
flutter
Move regression test for assets to build system
The test that currently lives in https://github.com/flutter/flutter/blob/e03f439145ba5ab0f63092d71546128df165d221/packages/flutter_tools/test/general.shard/build_system/targets/assets_test.dart#L58-L74 should be moved to a build system test, since it really requires the whole build system to run. It will be removed in #49737 but should be added back to a place that makes sense in the build system. @jonahwilliams
a: tests,tool,a: assets,P3,team-tool,triaged-tool
low
Minor
558,427,208
vscode
Tab does not work as a trigger character for
<!-- Please read our Rules of Conduct: https://opensource.microsoft.com/codeofconduct/ --> <!-- Please search existing issues to avoid creating duplicates. --> <!-- Also please test using the latest insiders build to make sure your issue has not already been fixed: https://code.visualstudio.com/insiders/ --> <!-- Use Help > Report Issue to prefill these. --> - VSCode Version: 1.41.1 - OS Version: Mac 10.14.6 Steps to Reproduce: Register a CompletionProvider with tab (`\t`) as a trigger character: ```js vscode.languages.registerCompletionItemProvider( 'yaml', myCompletionItemProvider, ' ', '\n', '\t' ) ``` In the above example, the space and new line characters successfully trigger my completion provider, but not tab. This is the case whether my text editor is using tabs or spaces.
suggest,under-discussion
low
Major
558,447,467
rust
static mut bindings don't raise unused_mut diagnostic
```rust #[deny(unused_mut)] pub unsafe fn foo() { static mut X: std::sync::Once = std::sync::Once::new(); X.call_once(|| { /**/ }); } ``` ... [compiles fine.](https://play.rust-lang.org/?version=stable&mode=debug&edition=2018&gist=eb6b3a8bd59dee6e53161934988de3e7) Using `let mut X` does fail as expected. I can imagine it would be hard to do this for module-scoped `static`s since the mutable access could occur in any scope the value is visible to, but could it be done for function-scoped ones at least? --- I discovered this in a crate with a bunch of function-scoped `Once`s, and just happened to notice some of them had been created with `static mut` and others with just `static`, indicating the `mut` was unnecessary even though the compiler didn't complain.
C-enhancement,A-lints,T-lang
low
Critical
558,455,825
TypeScript
Performance regression in #33473
The extra work done in #33473 is valuable, but maybe it doesn't need to be so expensive. In this particular case, there don't seem to be any errors (though there is one `@ts-ignore`). Setup: 1. Clone https://github.com/amcasey/material-ui.git 2. Check out Benchmark 3. `yarn` to restore packages 4. `yarn typescript` to prebuild and run some TS tests Repro 1. `tsc -p docs` On a random Mac Mini: - 10-run avg on https://github.com/microsoft/TypeScript/commit/6c2ae12559508b594f7038f8d6165b92ec89c58c: 33,010ms - 10-run avg on https://github.com/microsoft/TypeScript/commit/26caa3793e310e271ddee8adc1804486e5b0749f: 33,494ms (1% slower) _Note_: to build old TS commits, you probably need to change `const { default: chalk }` to `const chalk` in `scripts/build/utils.js`.
Needs Investigation,Domain: Performance,Rescheduled
low
Critical
558,469,277
node
doc: Improve docs search engine indexing
<!-- Thank you for reporting a possible bug in Node.js. Please fill in as much of the template below as you can. Version: output of `node -v` Platform: output of `uname -a` (UNIX), or version and 32 or 64-bit (Windows) Subsystem: if known, please specify the affected core module name If possible, please provide code that demonstrates the problem, keeping it as simple and free of external dependencies as you can. --> ### There's no way to access api from search engine in one click. It's very hard to search node api from search engine. A typical example would be searching `node writefilesync`, the top result points to `https://nodejs.org/api/fs.html` without the heading hash `#fs_fs_writefilesync_file_data_options`. ![image](https://user-images.githubusercontent.com/1488391/73585987-6aaff400-4475-11ea-86f9-ca07a1a72679.png) In most cases, it's sth like the following, where there's a `jump to xxx` link to the hashed url `https://developer.mozilla.org/en-US/docs/Web/API/Fetch_API/Using_Fetch#Body` <img width="794" alt="Screen Shot 2020-01-30 at 2 40 14 PM" src="https://user-images.githubusercontent.com/1488391/73484929-30a8fa00-4370-11ea-9ded-0355951e9e15.png"> I'm not sure what's missing here, a quick search seems to suggest search engine need a unique id in headings like `<h4 id="xxx"></h4>` to tell the heading structure. Since there's no search bar in the doc, it seems using search engine followed by Ctrl+F is the only way to find an api. <!-- Please provide more details below this comment. -->
doc,meta
low
Critical
558,476,981
pytorch
QNNPACK linear doesn't preserve dimensions
When using linear, in the fbgemm and fp implementations the first matrix can be of any rank, while the second has to be of rank 2. The result is expected to be the same rank as the first matrix. For example: if multiplying two matrices A and B with these dimensions: ``` A.shape = [b, m, n] B.shape = [n, k] ``` The resulting matrix C should have dimensions ``` (C = A @ B).shape = [b, m, k] ``` However in QNNPACK the result is `[b*m, k]` cc @jerryzh168 @jianyuh @dzhulgakov @raghuramank100 @jamesr66a
oncall: mobile
low
Minor
558,517,053
create-react-app
support rootDirs in typescript
http://www.typescriptlang.org/docs/handbook/release-notes/typescript-2-0.html#virtual-directories-with-rootdirs We need rootDirs to put our generated codes.
issue: proposal,needs triage
low
Minor
558,522,602
godot
Project settings in the wrong place when undo (Ctrl + Z)
**Godot version:** Mono 3.2 stable **OS/device including version:** 5.4.15-arch1-1 **Issue description:** When you change project settings and then undo with Ctrl + Z, the settings are on the wrong place then. **Steps to reproduce:** Example: 1. Open the project Settings 2. Go to Application > Config 3. Reset the Icon 4. Go to Rendering > Quality 5. Set Anisotropic Filtering Level to 16 6. Exit the Settings Menu 7. Press Ctrl + Z twice 8. The Icon can now be found under Rendering > Quality ![Screenshot_20200201_112507](https://user-images.githubusercontent.com/60042618/73590918-93250600-44e8-11ea-899b-e7652cd0b2fe.png)
bug,topic:editor
low
Minor
558,524,768
pytorch
Some questions Concerning Intel's DNNL(MKLDNN) support in Pytorch (adding support for Intel Processors GPUs) by transitioning to DNNL
## ❓ Questions and Help [Deep Neural Network Library (DNNL)](https://github.com/intel/mkl-dnn) is an open-source performance library for deep learning applications. The library includes basic building blocks for neural networks optimized for Intel Architecture Processors and Intel Processor **Graphics**. DNNL supports systems based on Intel 64 or AMD64 architecture. The library is optimized for the following CPUs: - Intel Atom processor with Intel SSE4.1 support - 4th, 5th, 6th, 7th, and 8th generation Intel Core(TM) processor - Intel Xeon(R) processor E3, E5, and E7 family (formerly Sandy Bridge, Ivy Bridge, Haswell, and Broadwell) - Intel Xeon Phi(TM) processor (formerly Knights Landing and Knights Mill) - Intel Xeon Scalable processor (formerly Skylake and Cascade Lake) - future Intel Xeon Scalable processor (code name Cooper Lake) and it is also optimized for the following GPUs: - Intel HD Graphics - Intel UHD Graphics - Intel Iris Plus Graphics Currently The MKLDNN version shipped with Pytorch as of yesterday (last nightly build) is version 0.21.1 which dates back to sep 2019. Since that day, Intel has introduced DNNL instead of MKLDNN. And since version 1.0, there are breaking changes. My Questions thus are : 1. Do we need a lot of work to transision from MKLDNN 0.21.1 to DNNL 1.2 (which provides a lot of benfits in terms of supporting accelerated computing using integrated GPUs) ? [here](https://intel.github.io/mkl-dnn/dev_guide_transition_to_dnnl.html)'s a transision guide by the way, which seems to be not that time consuming. (excuse my ignorance if thats not the case) 2. Knowing that DNNL supports both CPUs and Intel **GPUs** for accelerated computing, this would be a great addition to Pytorch. My question thus is, in case we transition to DNNL, would updating the DNNL library, require recomplition, or would it just work out of the box (specially on Python part) ? 3. In order to incorporate this into Pytorch, what else is required other than the transition from mkldnn 0.21.1 to the latest version? are there any complications in this regard? Thank you all in advance cc @gujinghui @PenghuiCheng @XiaobingSuper @jianyuh
triaged,module: mkldnn
low
Major
558,527,752
godot
Strange shading with WorldEnvironment with sky when using a bright HDRI (GLES3)
**Godot version:** 3.2 stable **OS/device including version:** Manjaro 18.1.5 **Issue description:** When using WorldEnvironment with a sky panorama I am getting strange shading. In 3.1 it looks normal. With metallic set to 1 in the material, it looks like it looks normal. ![Screenshot from 2020-02-01 12-08-35](https://user-images.githubusercontent.com/8601600/73591199-eb113c00-44eb-11ea-9610-eb8f0905c349.png) ![Screenshot from 2020-02-01 12-10-05](https://user-images.githubusercontent.com/8601600/73591201-efd5f000-44eb-11ea-9db5-ad51412cf348.png) **Steps to reproduce:** 1. Add a WorldEnvironement 2. Set mode to sky 3. Select a sky panorama 4. Add a MeshInstance to the scene and add a new Sphere to it 5. Add a SpatialMaterial to the MeshInstance **Minimal reproduction project:** [godot-test.zip](https://github.com/godotengine/godot/files/4142476/godot-test.zip)
bug,topic:rendering,topic:3d
low
Minor
558,549,374
godot
Can't delete node group after using "make local"
**Godot version:** 3.2 stable **OS/device including version:** Linux Manjaro **Issue description:** I have a node that is an inherited scene, the parent scene has a group called "test". If I drop the child node in a new scene and use the "make local" setting with right-click on it I'm then unable to remove the group that has the parent. **Steps to reproduce:** Create a "Parent" scene with a simple node and add a group "Test" to it. Create an inherited scene of "Parent" and call it "Child". Create a new scene and drop in it the "Child" scene, then right-click on it and use "make local". Now try to delete the group "Test" from the "Child" node.
bug,topic:editor
low
Minor
558,554,951
flutter
[androidx] v1.12.13+hotfix.7 "The built failed likely due to AndroidX incompatibilities" in release
```console [√] Flutter (Channel stable, v1.12.13+hotfix.5, on Microsoft Windows [Version 10.0.18363.592], locale de-DE) [√] Android toolchain - develop for Android devices (Android SDK version 29.0.2) [√] Android Studio (version 3.5) [!] IntelliJ IDEA Community Edition (version 2017.2) X Flutter plugin not installed; this adds Flutter specific functionality. X Dart plugin not installed; this adds Dart specific functionality. [√] VS Code (version 1.41.1) [√] Connected device (2 available) ! Doctor found issues in 1 category. ``` **Error Log** https://pastebin.com/xD2d0f0P **Problem:** Debug mode works fine but Release mode not.. when i try to fix it with the given options (--stacktrace/--info) there is a error that the options dont exist
c: crash,platform-android,tool,t: gradle,dependency: android,a: build,P2,team-android,triaged-android
low
Critical
558,559,496
godot
C# VisualServer can't get the correct Texture RID
**Godot version:** 3.2 stable **OS/device including version:** Windows 10 **Issue description:** If you try to use VisualServer and the Texture RID then you will get an error. I wanted to draw a texture using VisualServer. > E 0:00:01.026 IntPtr Godot.RID.GetPtr(Godot.RID ): System.NullReferenceException: The instance of type RID is null. > <C++ Error> Unhandled exception > <C++ Source> /root/godot/modules/mono/glue/GodotSharp/GodotSharp/Core/RID.cs:15 @ IntPtr Godot.RID.GetPtr(Godot.RID )() > <Stack Trace> RID.cs:15 @ IntPtr Godot.RID.GetPtr(Godot.RID )() > VisualServer.cs:4683 @ void Godot.VisualServer.CanvasItemAddTextureRect(Godot.RID , Godot.Rect2 , Godot.RID , Boolean , System.Nullable`1[Godot.Color] , Boolean , Godot.RID )() > test.cs:15 @ void test._Ready()() **Steps to reproduce:** Just create a new Node2D and assign the script. **Minimal reproduction project:** ``` using Godot; using System; public class test : Node2D { [Export] public Texture texture; [Export] public Rect2 rect2; public override void _Ready() { GD.Print(texture.GetRid()); RID item = VisualServer.CanvasItemCreate(); VisualServer.CanvasItemSetParent(item, GetCanvasItem()); VisualServer.CanvasItemAddTextureRect(item, rect2, texture.GetRid()); } } ```
bug,topic:dotnet
low
Critical
558,566,047
go
cmd/compile: escape analysis on interface calls
### What version of Go are you using (`go version`)? 1.13.1 ### Does this issue reproduce with the latest release? yes ### What operating system and processor architecture are you using (`go env`)? on any OS / env ### What did you do? `type myCtx struct { data int }` `type interface if { Call(ctx *myCtx) }` `ctx := myCtx{}` `i.Call(&ctx) // i == interface of type 'if'` ### What did you expect to see? ctx allocated on stack (as Call() method was empty in my case). ### What did you see instead? ctx allocated on heap as escape analysis doesn't work through interface types. Compiler simply doesn't know the future of the pointer. ### Suggestions As interfaces are widely used in the language it seems quite important to be able to perform such optimisations. What if interface run-time type info had escape flag for the method. That would allow to generate code for both escaping interface calls and non-escaping ones.
Performance,NeedsInvestigation,compiler/runtime
low
Major
558,568,918
youtube-dl
TV5unis.ca / TV5monde.com (.m3u8 url in source)
<!-- ###################################################################### WARNING! IGNORING THE FOLLOWING TEMPLATE WILL RESULT IN ISSUE CLOSED AS INCOMPLETE ###################################################################### --> ## Checklist <!-- Carefully read and work through this check list in order to prevent the most common mistakes and misuse of youtube-dl: - First of, make sure you are using the latest version of youtube-dl. Run `youtube-dl --version` and ensure your version is 2020.01.24. If it's not, see https://yt-dl.org/update on how to update. Issues with outdated version will be REJECTED. - Make sure that all provided video/audio/playlist URLs (if any) are alive and playable in a browser. - Make sure that site you are requesting is not dedicated to copyright infringement, see https://yt-dl.org/copyright-infringement. youtube-dl does not support such sites. In order for site support request to be accepted all provided example URLs should not violate any copyrights. - Search the bugtracker for similar site support requests: http://yt-dl.org/search-issues. DO NOT post duplicates. - Finally, put x into all relevant boxes (like this [x]) --> - [x] I'm reporting a new site support request - [x] I've verified that I'm running youtube-dl version **2020.01.24** - [x] I've checked that all provided URLs are alive and playable in a browser - [x] I've checked that none of provided URLs violate any copyrights - [x] I've searched the bugtracker for similar site support requests including closed ones ## Example URLs <!-- Provide all kinds of example URLs support for which should be included. Replace following example URLs by yours. --> - Single video: https://www.tv5unis.ca/videos/les-newbies/saisons/1/episodes/1 - Single video: https://www.tv5unis.ca/videos/les-fleches-dargent - Single video: https://www.tv5monde.com/emissions/episode/destination-francophonie-destination-liban - Single video: https://revoir.tv5monde.com/toutes-les-videos/culture/destination-francophonie-destination-saint-malo ## Description <!-- Provide any additional information. If work on your issue requires account credentials please provide them or explain how one can obtain them. --> Site may be geo-blocked outside Canada or certain countries. At this time, videos can be downloaded by manually retrieving the .m3u8 url in the source and pasting it into youtube-dl. Would love to automate this process. Here are copies of the relevant information in the source: - from tv5monde.com `<div class="video_player_loader" id="ldr-guid-dcc0d242-cf27-3928-a2f6-b3a9e47a8669" data-guid="dcc0d242-cf27-3928-a2f6-b3a9e47a8669" data-active="true" data-broadcast='{"files":[{"format":"m3u8","url":"https:\/\/hlstv5mplus-vh.akamaihd.net\/i\/hls\/3e\/4634928_,300,700,1400,2100,k.mp4.csmil\/master.m3u8"}],"primary":"html5","token":false}' data-duration="299" data-width="100%" data-aspectratio="16:9" data-preload="auto" data-autostart="true" data-image="https://vodhdimg.tv5monde.com/tv5mondeplus/images/4634928.jpg" data-skin="seven" data-metadata='{"player":{"name":"jwplayer","version":"7"},"application":{"code":"revoir"},"content":{"title":"destination_saint_malo","series":"destination_francophonie","duration":299}}' data-statistics='{"active":true,"api":"at_internet","mode":"clip","refresh":10,"embedded":false,"application":"38","type":"video","series":"destination_francophonie","title":"destination_saint_malo","chapters":["tv5monde","culture","destination_francophonie"],"publish_date":"2017_03_15"}' data-advertising='{"active":true,"api":"freewheel","client":"vast","client_version":"3","tag":"","scale":[],"site":"www.tv5monderevoir.com","sitepage":"tv5monderevoir\/videos","position":"preroll","env":"prod","protocol":"https","admessage":"fin de la publicit\u00e9 dans xx secondes","skip":false,"skipoffset":5,"skipmessage":"passer dans xx","skiptext":"passer"}' data-probe='{"active":true,"api":"conviva"}' style="position: relative; width: 100%; margin: 0; height: 0; padding: 0 0 56.25%; color: #ffffff;">` - from tv5unis.ca `<script id="__NEXT_DATA__" type="application/json">{"dataManager":"[]","props":{"pageProps":{"collectionSlug":"les-fleches-dargent"},"apolloState":{"ROOT_QUERY":{"alerts":[],"videoPlayerPage({\"rootProductSlug\":\"les-fleches-dargent\"})":{"type":"id","generated":true,"id":"$ROOT_QUERY.videoPlayerPage({\"rootProductSlug\":\"les-fleches-dargent\"})","typename":"ArtisanPage"}},"ArtisanBlocksPageMetaData:50":{"id":"50","blockType":"PAGE_META_DATA","blockConfiguration":{"type":"id","generated":true,"id":"$ArtisanBlocksPageMetaData:50.blockConfiguration","typename":"ArtisanBlocksPageMetaDataContent"},"__typename":"ArtisanBlocksPageMetaData"},"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration":{"title":"Les FlΓ¨ches d'Argent | TV5Unis","description":"Les FlΓ¨ches d'Argent : créées par Ferdinand Porsche, ces voitures mythiques ont dominΓ© tous les Grands Prix entre 1934 et 1939. Hitler a rΓ©cupΓ©rΓ© leur technologie pour s'en servir dans ses avions, ses blindΓ©s, et autres machines de guerre.","keywords":"Documentaires historiques ","language":"fr-CA","canonicalUrl":null,"jsonLd":"{\"@context\":\"http://schema.org\",\"@type\":\"Movie\",\"copyrightYear\":2015,\"countryOfOrigin\":{\"@context\":\"http://schema.org\",\"@type\":\"Country\",\"name\":\"Belgique\"},\"description\":\"Les FlΓ¨ches d'Argent : créées par Ferdinand Porsche, ces voitures mythiques ont dominΓ© tous les Grands Prix entre 1934 et 1939. Hitler a rΓ©cupΓ©rΓ© leur technologie pour s'en servir dans ses avions, ses blindΓ©s, et autres machines de guerre.\",\"image\":\"https://s3.ca-central-1.amazonaws.com/tv5-tv5unis-mogador-qa/Images/BEE/00778842_P0050086.jpg\",\"inLanguage\":\"fr\",\"keywords\":\"Documentaires historiques \",\"name\":\"Les FlΓ¨ches d'Argent\",\"productionCompany\":{\"@context\":\"http://schema.org\",\"@type\":\"Organization\",\"legalName\":\"RTBF\"},\"timeRequired\":\"PT3120S\",\"url\":\"https://www.tv5unis.ca/les-fleches-dargent\",\"video\":{\"@context\":\"http://schema.org\",\"@type\":\"VideoObject\",\"description\":\"Les FlΓ¨ches d'Argent : créées par Ferdinand Porsche, ces voitures mythiques ont dominΓ© tous les Grands Prix entre 1934 et 1939. Hitler a rΓ©cupΓ©rΓ© leur technologie pour s'en servir dans ses avions, ses blindΓ©s, et autres machines de guerre.\",\"duration\":\"PT3120S\",\"inLanguage\":\"fr\",\"name\":\"Les FlΓ¨ches d'Argent\",\"regionsAllowed\":[{\"@context\":\"http://schema.org\",\"@type\":\"Place\",\"address\":{\"addressCountry\":\"CA\"}}],\"thumbnailUrl\":\"https://s3.ca-central-1.amazonaws.com/tv5-tv5unis-mogador-qa/Images/BEE/00778842_P0050086.jpg\",\"uploadDate\":\"2020-01-28T01:00:31Z\",\"url\":\"https://www.tv5unis.ca/videos/les-fleches-dargent\"}}","productMetaData":{"type":"id","generated":true,"id":"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.productMetaData","typename":"ProductMetaData"},"ogTags":[{"type":"id","generated":true,"id":"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.ogTags.0","typename":"OgTag"},{"type":"id","generated":true,"id":"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.ogTags.1","typename":"OgTag"},{"type":"id","generated":true,"id":"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.ogTags.2","typename":"OgTag"},{"type":"id","generated":true,"id":"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.ogTags.3","typename":"OgTag"},{"type":"id","generated":true,"id":"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.ogTags.4","typename":"OgTag"},{"type":"id","generated":true,"id":"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.ogTags.5","typename":"OgTag"}],"__typename":"PageMetaDataConfiguration"},"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.productMetaData":{"title":"Les FlΓ¨ches d'Argent","seasonName":null,"episodeNumber":null,"keywords":"Documentaires historiques ","fmcApplicationId":null,"__typename":"ProductMetaData"},"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.ogTags.0":{"property":"og:description","content":"Les FlΓ¨ches d'Argent : créées par Ferdinand Porsche, ces voitures mythiques ont dominΓ© tous les Grands Prix entre 1934 et 1939. Hitler a rΓ©cupΓ©rΓ© leur technologie pour s'en servir dans ses avions, ses blindΓ©s, et autres machines de guerre.","__typename":"OgTag"},"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.ogTags.1":{"property":"og:image","content":"https://image-proxy.tv5unis.ca/pipeline?url=https%3A%2F%2Fs3.ca-central-1.amazonaws.com%2Ftv5-tv5unis-mogador-qa%2FImages%2FBEE%2F00778842_P0050086.jpg\u0026operations=%5B%7B%22operation%22%3A%22resize%22%2C%22params%22%3A%7B%22height%22%3A1125%2C%22width%22%3A2000%7D%7D%5D","__typename":"OgTag"},"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.ogTags.2":{"property":"og:locale","content":"fr_CA","__typename":"OgTag"},"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.ogTags.3":{"property":"og:site_name","content":"TV5Unis","__typename":"OgTag"},"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.ogTags.4":{"property":"og:title","content":"Les FlΓ¨ches d'Argent | TV5Unis","__typename":"OgTag"},"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration.ogTags.5":{"property":"og:type","content":"website","__typename":"OgTag"},"$ArtisanBlocksPageMetaData:50.blockConfiguration":{"pageMetaDataConfiguration":{"type":"id","generated":true,"id":"$ArtisanBlocksPageMetaData:50.blockConfiguration.pageMetaDataConfiguration","typename":"PageMetaDataConfiguration"},"__typename":"ArtisanBlocksPageMetaDataContent"},"ArtisanBlocksVideoPlayer:123":{"id":"123","blockType":"VIDEO_PLAYER","blockConfiguration":{"type":"id","generated":true,"id":"$ArtisanBlocksVideoPlayer:123.blockConfiguration","typename":"ArtisanBlocksVideoPlayerContent"},"__typename":"ArtisanBlocksVideoPlayer"},"Product:54329":{"id":"54329","title":"Les FlΓ¨ches d'Argent","slug":"les-fleches-dargent","episodeNumber":null,"seasonNumber":null,"seasonName":null,"productType":"MOVIE","shortSummary":"Les FlΓ¨ches d'Argent : créées par Ferdinand Porsche, ces voitures mythiques ont dominΓ© tous les Grands Prix entre 1934 et 1939. Hitler a rΓ©cupΓ©rΓ© leur technologie pour s'en servir dans ses avions, ses blindΓ©s, et autres machines de guerre.","duration":3120,"tags":{"type":"json","json":["Documentaires historiques "]},"category":{"type":"id","generated":false,"id":"Category:3","typename":"Category"},"collection":null,"mainLandscapeImage":{"type":"id","generated":true,"id":"$Product:54329.mainLandscapeImage","typename":"Image"},"channel":{"type":"id","generated":false,"id":"Channel:1","typename":"Channel"},"nextViewableProduct":null,"rating":null,"season":null,"trailerParent":null,"videoElement":{"type":"id","generated":false,"id":"Video:9381","typename":"Video"},"viewedProgress":null,"__typename":"Product"},"Category:3":{"id":"3","label":"DOCUMENTAIRE","__typename":"Category"},"$Product:54329.mainLandscapeImage":{"url":"https://image-proxy.tv5unis.ca/pipeline?url=https%3A%2F%2Fs3.ca-central-1.amazonaws.com%2Ftv5-tv5unis-mogador-qa%2FImages%2FBEE%2F00778842_P0050086.jpg\u0026operations=%5B%7B%22operation%22%3A%22extract%22%2C%22params%22%3A%7B%22areaheight%22%3A1125%2C%22areawidth%22%3A2000%2C%22height%22%3A1125%2C%22left%22%3A0%2C%22top%22%3A0%2C%22width%22%3A2000%7D%7D%2C%7B%22operation%22%3A%22resize%22%2C%22params%22%3A%7B%22height%22%3A1125%2C%22width%22%3A2000%7D%7D%5D","__typename":"Image"},"Channel:1":{"id":"1","identity":"TV5","__typename":"Channel"},"Video:9381":{"id":"9381","creditsTimestamp":3085,"ads":[{"type":"id","generated":true,"id":"Video:9381.ads.0","typename":"VideoAd"}],"encodings":{"type":"id","generated":true,"id":"$Video:9381.encodings","typename":"VideoEncodings"},"subtitles":[{"type":"id","generated":true,"id":"Video:9381.subtitles.0","typename":"VideoSubtitle"}],"__typename":"Video"},"Video:9381.ads.0":{"format":"VMAP","url":"https://api.tv5unis.ca/vmap/9381","__typename":"VideoAd"},"$Video:9381.encodings.dash":{"url":null,"__typename":"VideoEncoding"},"$Video:9381.encodings":{"dash":{"type":"id","generated":true,"id":"$Video:9381.encodings.dash","typename":"VideoEncoding"},"hls":{"type":"id","generated":true,"id":"$Video:9381.encodings.hls","typename":"VideoEncoding"},"progressive":{"type":"id","generated":true,"id":"$Video:9381.encodings.progressive","typename":"VideoEncoding"},"smooth":{"type":"id","generated":true,"id":"$Video:9381.encodings.smooth","typename":"VideoEncoding"},"__typename":"VideoEncodings"},"$Video:9381.encodings.hls":{"url":"https://bellvps1.content.video.llnw.net/smedia/6f18a5b788684fb8a0f7ab799378c30c/1w/NzHEu7E9aIwVkvgOkdgtDwOEydRtWh4LWhFgWh0hU/07085118-f63c94af7526eca34d6cec1dfed1e900c44edb79.m3u8","__typename":"VideoEncoding"},"$Video:9381.encodings.progressive":{"url":"https://bellvps1.content.video.llnw.net/smedia/6f18a5b788684fb8a0f7ab799378c30c/MT/HUUzht-4CVzXQqntGr9iVaWLGM1n3qv3nlGUwF27M/07085118.mp4","__typename":"VideoEncoding"},"$Video:9381.encodings.smooth":{"url":"https://bellvps1.mfs.video.llnw.net/smedia/6f18a5b788684fb8a0f7ab799378c30c/1w/NzHEu7E9aIwVkvgOkdgtDwOEydRtWh4LWhFgWh0hU/mss/07085118.ism/manifest","__typename":"VideoEncoding"},"Video:9381.subtitles.0":{"language":"fr","url":"http://bellvps1.content.video.llnw.net/smedia/6f18a5b788684fb8a0f7ab799378c30c/1w/NzHEu7E9aIwVkvgOkdgtDwOEydRtWh4LWhFgWh0hU/vtt/1/fr.vtt","__typename":"VideoSubtitle"},"$ArtisanBlocksVideoPlayer:123.blockConfiguration":{"product":{"type":"id","generated":false,"id":"Product:54329","typename":"Product"},"__typename":"ArtisanBlocksVideoPlayerContent"},"$ROOT_QUERY.videoPlayerPage({\"rootProductSlug\":\"les-fleches-dargent\"})":{"blocks":[{"type":"id","generated":false,"id":"ArtisanBlocksPageMetaData:50","typename":"ArtisanBlocksPageMetaData"},{"type":"id","generated":false,"id":"ArtisanBlocksVideoPlayer:123","typename":"ArtisanBlocksVideoPlayer"}],"__typename":"ArtisanPage"}}},"page":"/player","query":{"collectionSlug":"les-fleches-dargent"},"buildId":"1.3.5","runtimeConfig":{"ALLOW_SITE_INDEXATION":"true","API_BASE_URL":"https://api.tv5unis.ca","API_GRAPHQL_PATH":"/graphql","BITMOVIN_KEY":"aec19d4d-710d-4a39-acd7-c21df37d7f4d","CANONICAL_HOST":"www.tv5unis.ca","CHROMECAST_APP_ID":"","COMSCORE_DEBUG":"false","COMSCORE_ID":"22293430","DEBUG_ANALYTICS":"false","ENVIRONMENT":"production","FIREBASE_API_KEY":"AIzaSyBRRiD0sBDnDJNHhD-Iz4n2qTA68arB_gc","FIREBASE_AUTH_DOMAIN":"tv5unis-28d02.firebaseapp.com","FIREBASE_DATABASE_URL":"https://tv5unis-28d02.firebaseio.com","FIREBASE_PROJECT_ID":"tv5unis-28d02","GOOGLE_TAG_MANAGER_ID":"GTM-TD56VC9","M32_ENABLE_TRACKING_PIXEL":"false","MIREGO_LINK":"https://www.mirego.com/fr","RELATED_APP_STORE_LINK":"https://apps.apple.com/ca/app/tv5unis-vid%C3%A9o-sur-demande/id447681452","RELATED_APP_STORE_LINK_APP_ID":"447681452","RELATED_FIRE_TV_LINK":"https://www.amazon.ca/TV5-Qu%C3%A9bec-Canada-TV5Unis-demande/dp/B07ZQNQH69","RELATED_GOOGLE_PLAY_LINK":"https://play.google.com/store/apps/details?id=ca.tv5.video","SENTRY_DSN":"https://5959377ba5d84f0ba2ac5f6aeba6100f:[email protected]/1437787","SENTRY_ENVIRONMENT":"production","SOCIAL_TV5_FACEBOOK_LINK":"https://www.facebook.com/TV5.ca","SOCIAL_TV5_INSTAGRAM_LINK":"https://www.instagram.com/tv5.ca","SOCIAL_TV5_YOUTUBE_LINK":"https://www.youtube.com/channel/UCgszR8my6qWpHs-kSC_KJdQ","SOCIAL_UNIS_FACEBOOK_LINK":"https://www.facebook.com/unistv","SOCIAL_UNIS_INSTAGRAM_LINK":"https://www.instagram.com/unistv","SOCIAL_UNIS_YOUTUBE_LINK":"https://www.youtube.com/channel/UCQlHXDEmgWzZ6aO_sjr4B3w"}}</script>`
site-support-request
low
Critical
558,582,406
flutter
Single cached engine can't work with multi FlutterFragment
<!-- Thank you for using Flutter! If you are looking for support, please check out our documentation or consider asking a question on Stack Overflow: * https://flutter.dev/ * https://api.flutter.dev/ * https://stackoverflow.com/questions/tagged/flutter?sort=frequent If you have found a bug or if our documentation doesn't have an answer to what you're looking for, then fill our the template below. Please read our guide to filing a bug first: https://flutter.dev/docs/resources/bug-reports --> I try to reuse the same cached engine in multi `FlutterFragment`s, and each `FlutterFragment` host by a standalone `Activity`, which is named `MainActivity` in the sample code, here's the sample code: ```kotlin class MainActivity : AppCompatActivity() { private val TAG_FLUTTER_FRAGMENT = "flutter_fragment" private var flutterFragment: FlutterFragment? = null override fun onCreate(savedInstanceState: Bundle?) { Log.setLogLevel(android.util.Log.VERBOSE) super.onCreate(savedInstanceState) setContentView(R.layout.activity_main) if (FlutterEngineCache.getInstance().get("cache_engine") == null) { val flutterEngine = FlutterEngine(applicationContext) flutterEngine.navigationChannel.setInitialRoute("/") flutterEngine.dartExecutor .executeDartEntrypoint(DartExecutor.DartEntrypoint.createDefault()) FlutterEngineCache.getInstance().put("cache_engine", flutterEngine) } // Start a new FlutterFragment which host by MainActivity findViewById<AppCompatButton>(R.id.btnAddFragment).setOnClickListener { startActivity(Intent(this, MainActivity::class.java)) } // Finish MainActivity findViewById<AppCompatButton>(R.id.btnPopFragment).setOnClickListener { finish() } flutterFragment = supportFragmentManager .findFragmentByTag(TAG_FLUTTER_FRAGMENT) as? FlutterFragment if (flutterFragment == null) { val ff: FlutterFragment = FlutterFragment .withCachedEngine("cache_engine") .transparencyMode(FlutterView.TransparencyMode.transparent) .renderMode(FlutterView.RenderMode.texture) .build() supportFragmentManager .beginTransaction() .add( R.id.flFlutterFragment, ff as Fragment, TAG_FLUTTER_FRAGMENT ) .commit() } } override fun onPostResume() { super.onPostResume() flutterFragment?.onPostResume() } override fun onNewIntent(intent: Intent) { flutterFragment?.onNewIntent(intent) super.onNewIntent(intent) } override fun onBackPressed() { flutterFragment?.onBackPressed() } override fun onRequestPermissionsResult( requestCode: Int, permissions: Array<String?>, grantResults: IntArray ) { flutterFragment?.onRequestPermissionsResult( requestCode, permissions, grantResults ) } override fun onUserLeaveHint() { flutterFragment?.onUserLeaveHint() } override fun onTrimMemory(level: Int) { super.onTrimMemory(level) flutterFragment?.onTrimMemory(level) } } ``` It works fine if there's only one "`MainActivity`", but the `FlutterFragment` seems to be frozen when a new "`MainActivity`" has been added or resumed by finishing the topmost "`MainActivity`". ![uuuuu](https://user-images.githubusercontent.com/8847263/73606046-d9f62700-45e0-11ea-867b-8a456686d6e5.jpg) The actual behavior is as follow: ![ezgif com-video-to-gif (2)](https://user-images.githubusercontent.com/8847263/73605760-51c25280-45dd-11ea-8fa6-c10ce41c79e0.gif) Here's the sample code that can reproduce the problem. [https://github.com/littleGnAl/single-engine-multi-fragments](https://github.com/littleGnAl/single-engine-multi-fragments) ## Steps to Reproduce <!-- You must include full steps to reproduce so that we can reproduce the problem. --> 1. Click the bottom-right float action button to count some numbers 2. Click "ADD NEW ACTIVITY" to add a new `Activity` 3. Try click the bottom-right float action button to count some numbers 4. Click "FINISH" to finish the topmost `Activity` 5. Try click the bottom-right float action button to count some numbers **Expected results:** <!-- what did you want to see? --> The `MainActivity` should work fine after resume **Actual results:** <!-- what did you see? --> The `FlutterFragment` inside `MainActivity` has been frozen after resume <details> <summary>Logs</summary> <!-- Run your application with `flutter run --verbose` and attach all the log output below between the lines with the backticks. If there is an exception, please see if the error message includes enough information to explain how to solve the issue. --> ### Android studio logcat ``` 2020-02-02 16:53:02.491 29167-29167/? I/nemultifragmen: Late-enabling -Xcheck:jni 2020-02-02 16:53:02.529 29167-29167/? E/nemultifragmen: Unknown bits set in runtime_flags: 0x8000 2020-02-02 16:53:02.891 29167-29167/? W/nemultifragmen: Accessing hidden method Landroid/view/View;->computeFitSystemWindows(Landroid/graphics/Rect;Landroid/graphics/Rect;)Z (greylist, reflection, allowed) 2020-02-02 16:53:02.892 29167-29167/? W/nemultifragmen: Accessing hidden method Landroid/view/ViewGroup;->makeOptionalFitsSystemWindows()V (greylist, reflection, allowed) 2020-02-02 16:53:02.930 29167-29233/? I/ResourceExtractor: Found extracted resources res_timestamp-1-1580633324092 2020-02-02 16:53:02.935 29167-29167/? V/FlutterEngine: Attaching to JNI. 2020-02-02 16:53:02.942 29167-29167/? I/Adreno: QUALCOMM build : bc00834, I609ab310b2 Build Date : 04/11/19 OpenGL ES Shader Compiler Version: EV031.26.07.00 Local Branch : Remote Branch : Remote Branch : Reconstruct Branch : 2020-02-02 16:53:02.942 29167-29167/? I/Adreno: Build Config : S L 8.0.6 AArch64 2020-02-02 16:53:02.947 29167-29167/? I/Adreno: PFP: 0x005ff110, ME: 0x005ff066 2020-02-02 16:53:03.016 29167-29167/? V/DartMessenger: Setting handler for channel 'flutter/isolate' 2020-02-02 16:53:03.016 29167-29167/? V/DartExecutor: Attached to JNI. Registering the platform message handler for this Dart execution context. 2020-02-02 16:53:03.018 29167-29167/? V/DartMessenger: Setting handler for channel 'flutter/accessibility' 2020-02-02 16:53:03.019 29167-29167/? V/DartMessenger: Setting handler for channel 'flutter/platform' 2020-02-02 16:53:03.020 29167-29167/? V/DartMessenger: Setting handler for channel 'flutter/textinput' 2020-02-02 16:53:03.022 29167-29167/? V/NavigationChannel: Sending message to set initial route to '/' 2020-02-02 16:53:03.023 29167-29167/? V/DartMessenger: Sending message with callback over channel 'flutter/navigation' 2020-02-02 16:53:03.023 29167-29167/? V/DartExecutor: Executing Dart entrypoint: DartEntrypoint( bundle path: flutter_assets, function: main ) 2020-02-02 16:53:03.038 29167-29167/? D/FlutterActivityAndFragmentDelegate: Setting up FlutterEngine. 2020-02-02 16:53:03.039 29167-29167/? D/FlutterActivityAndFragmentDelegate: Attaching FlutterEngine to the Activity that owns this Fragment. 2020-02-02 16:53:03.039 29167-29167/? V/FlutterEnginePluginRegistry: Attaching to an Activity: com.littlegnal.singleenginemultifragment.MainActivity@b635777. 2020-02-02 16:53:03.040 29167-29167/? V/DartMessenger: Setting handler for channel 'flutter/platform_views' 2020-02-02 16:53:03.041 29167-29167/? V/FlutterActivityAndFragmentDelegate: Creating FlutterView. 2020-02-02 16:53:03.044 29167-29167/? V/FlutterView: Initializing FlutterView 2020-02-02 16:53:03.044 29167-29167/? V/FlutterView: Internally using a FlutterTextureView. 2020-02-02 16:53:03.047 29167-29167/? V/FlutterActivityAndFragmentDelegate: onActivityCreated. Giving plugins an opportunity to restore state. 2020-02-02 16:53:03.047 29167-29167/? V/FlutterEnginePluginRegistry: Forwarding onRestoreInstanceState() to plugins. 2020-02-02 16:53:03.048 29167-29167/? V/FlutterActivityAndFragmentDelegate: onStart() 2020-02-02 16:53:03.051 29167-29167/? V/FlutterActivityAndFragmentDelegate: onResume() 2020-02-02 16:53:03.051 29167-29167/? V/LifecycleChannel: Sending AppLifecycleState.resumed message. 2020-02-02 16:53:03.051 29167-29167/? V/DartMessenger: Sending message with callback over channel 'flutter/lifecycle' 2020-02-02 16:53:03.065 29167-29167/? V/FlutterActivityAndFragmentDelegate: Attaching FlutterEngine to FlutterView. 2020-02-02 16:53:03.065 29167-29167/? D/FlutterView: Attaching to a FlutterEngine: io.flutter.embedding.engine.FlutterEngine@ed5547d 2020-02-02 16:53:03.065 29167-29167/? V/FlutterTextureView: Attaching to FlutterRenderer. 2020-02-02 16:53:03.066 29167-29167/? V/DartMessenger: Setting handler for channel 'flutter/textinput' 2020-02-02 16:53:03.067 29167-29167/? V/DartMessenger: Sending message with callback over channel 'flutter/textinput' 2020-02-02 16:53:03.075 29167-29167/? W/nemultifragmen: Accessing hidden method Landroid/view/accessibility/AccessibilityNodeInfo;->getSourceNodeId()J (greylist, reflection, allowed) 2020-02-02 16:53:03.075 29167-29167/? W/nemultifragmen: Accessing hidden method Landroid/view/accessibility/AccessibilityRecord;->getSourceNodeId()J (greylist, reflection, allowed) 2020-02-02 16:53:03.075 29167-29167/? W/nemultifragmen: Accessing hidden field Landroid/view/accessibility/AccessibilityNodeInfo;->mChildNodeIds:Landroid/util/LongArray; (greylist, reflection, allowed) 2020-02-02 16:53:03.075 29167-29167/? W/nemultifragmen: Accessing hidden method Landroid/util/LongArray;->get(I)J (greylist, reflection, allowed) 2020-02-02 16:53:03.077 29167-29247/? I/flutter: Observatory listening on http://127.0.0.1:41033/u8VjL_eiyPk=/ 2020-02-02 16:53:03.078 29167-29167/? V/SettingsChannel: Sending message: textScaleFactor: 1.0 alwaysUse24HourFormat: false platformBrightness: light 2020-02-02 16:53:03.078 29167-29167/? V/DartMessenger: Sending message with callback over channel 'flutter/settings' 2020-02-02 16:53:03.079 29167-29167/? V/LocalizationChannel: Sending Locales to Flutter. 2020-02-02 16:53:03.079 29167-29167/? V/LocalizationChannel: Locale (Language: zh, Country: CN, Variant: ) 2020-02-02 16:53:03.079 29167-29167/? V/LocalizationChannel: Locale (Language: en, Country: US, Variant: ) 2020-02-02 16:53:03.079 29167-29167/? V/DartMessenger: Sending message with callback over channel 'flutter/localization' 2020-02-02 16:53:03.079 29167-29167/? V/FlutterRenderer: Setting viewport metrics Size: 0 x 0 Padding - L: 0, T: 0, R: 0, B: 0 Insets - L: 0, T: 0, R: 0, B: 0 System Gesture Insets - L: 0, T: 0, R: 0, B: 0 2020-02-02 16:53:03.106 29167-29167/? V/FlutterView: Size changed. Sending Flutter new viewport metrics. FlutterView was 0 x 0, it is now 1440 x 2362 2020-02-02 16:53:03.106 29167-29167/? V/FlutterRenderer: Setting viewport metrics Size: 1440 x 2362 Padding - L: 0, T: 0, R: 0, B: 0 Insets - L: 0, T: 0, R: 0, B: 0 System Gesture Insets - L: 0, T: 0, R: 0, B: 0 2020-02-02 16:53:03.116 29167-29167/? V/FlutterTextureView: SurfaceTextureListener.onSurfaceTextureAvailable() 2020-02-02 16:53:03.187 29167-29221/? W/Gralloc3: mapper 3.x is not supported 2020-02-02 16:53:03.193 29167-29167/? V/DartMessenger: Received message from Dart over channel 'flutter/isolate' 2020-02-02 16:53:03.193 29167-29167/? V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:53:03.599 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:53:03.599 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:53:03.600 29167-29167/com.littlegnal.singleenginemultifragment V/PlatformChannel: Received 'SystemChrome.setApplicationSwitcherDescription' message. 2020-02-02 16:53:04.198 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:53:04.198 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:53:04.198 29167-29167/com.littlegnal.singleenginemultifragment V/PlatformChannel: Received 'SystemChrome.setSystemUIOverlayStyle' message. 2020-02-02 16:53:04.210 29167-29235/com.littlegnal.singleenginemultifragment W/Gralloc3: allocator 3.x is not supported 2020-02-02 16:55:01.347 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:01.347 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:01.347 29167-29167/com.littlegnal.singleenginemultifragment V/PlatformChannel: Received 'SystemSound.play' message. 2020-02-02 16:55:01.662 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:01.662 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:01.663 29167-29167/com.littlegnal.singleenginemultifragment V/PlatformChannel: Received 'SystemSound.play' message. 2020-02-02 16:55:02.243 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:02.243 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:02.244 29167-29167/com.littlegnal.singleenginemultifragment V/PlatformChannel: Received 'SystemSound.play' message. 2020-02-02 16:55:02.801 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:02.801 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:02.801 29167-29167/com.littlegnal.singleenginemultifragment V/PlatformChannel: Received 'SystemSound.play' message. 2020-02-02 16:55:03.278 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:03.278 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:03.279 29167-29167/com.littlegnal.singleenginemultifragment V/PlatformChannel: Received 'SystemSound.play' message. 2020-02-02 16:55:05.222 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: onPause() 2020-02-02 16:55:05.222 29167-29167/com.littlegnal.singleenginemultifragment V/LifecycleChannel: Sending AppLifecycleState.inactive message. 2020-02-02 16:55:05.223 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/lifecycle' 2020-02-02 16:55:05.228 29167-29167/com.littlegnal.singleenginemultifragment W/ActivityThread: handleWindowVisibility: no activity for token android.os.BinderProxy@4fb9607 2020-02-02 16:55:05.260 29167-29167/com.littlegnal.singleenginemultifragment D/FlutterActivityAndFragmentDelegate: Setting up FlutterEngine. 2020-02-02 16:55:05.260 29167-29167/com.littlegnal.singleenginemultifragment D/FlutterActivityAndFragmentDelegate: Attaching FlutterEngine to the Activity that owns this Fragment. 2020-02-02 16:55:05.260 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterEnginePluginRegistry: Attaching to an Activity: com.littlegnal.singleenginemultifragment.MainActivity@7d5ed2. 2020-02-02 16:55:05.260 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterEnginePluginRegistry: Detaching from an Activity: com.littlegnal.singleenginemultifragment.MainActivity@b635777 2020-02-02 16:55:05.260 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Setting handler for channel 'flutter/platform_views' 2020-02-02 16:55:05.261 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: Creating FlutterView. 2020-02-02 16:55:05.261 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterView: Initializing FlutterView 2020-02-02 16:55:05.261 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterView: Internally using a FlutterTextureView. 2020-02-02 16:55:05.262 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: onActivityCreated. Giving plugins an opportunity to restore state. 2020-02-02 16:55:05.262 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterEnginePluginRegistry: Forwarding onRestoreInstanceState() to plugins. 2020-02-02 16:55:05.262 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: onStart() 2020-02-02 16:55:05.264 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: onResume() 2020-02-02 16:55:05.264 29167-29167/com.littlegnal.singleenginemultifragment V/LifecycleChannel: Sending AppLifecycleState.resumed message. 2020-02-02 16:55:05.264 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/lifecycle' 2020-02-02 16:55:05.291 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterView: Size changed. Sending Flutter new viewport metrics. FlutterView was 0 x 0, it is now 1440 x 2362 2020-02-02 16:55:05.291 29167-29167/com.littlegnal.singleenginemultifragment W/FlutterView: Tried to send viewport metrics from Android to Flutter but this FlutterView was not attached to a FlutterEngine. 2020-02-02 16:55:05.297 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterTextureView: SurfaceTextureListener.onSurfaceTextureAvailable() 2020-02-02 16:55:05.304 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: Attaching FlutterEngine to FlutterView. 2020-02-02 16:55:05.304 29167-29167/com.littlegnal.singleenginemultifragment D/FlutterView: Attaching to a FlutterEngine: io.flutter.embedding.engine.FlutterEngine@ed5547d 2020-02-02 16:55:05.304 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterTextureView: Attaching to FlutterRenderer. 2020-02-02 16:55:05.304 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterTextureView: Surface is available for rendering. Connecting FlutterRenderer to Android surface. 2020-02-02 16:55:05.316 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Setting handler for channel 'flutter/textinput' 2020-02-02 16:55:05.318 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/textinput' 2020-02-02 16:55:05.322 29167-29167/com.littlegnal.singleenginemultifragment V/SettingsChannel: Sending message: textScaleFactor: 1.0 alwaysUse24HourFormat: false platformBrightness: light 2020-02-02 16:55:05.323 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/settings' 2020-02-02 16:55:05.323 29167-29167/com.littlegnal.singleenginemultifragment V/LocalizationChannel: Sending Locales to Flutter. 2020-02-02 16:55:05.323 29167-29167/com.littlegnal.singleenginemultifragment V/LocalizationChannel: Locale (Language: zh, Country: CN, Variant: ) 2020-02-02 16:55:05.323 29167-29167/com.littlegnal.singleenginemultifragment V/LocalizationChannel: Locale (Language: en, Country: US, Variant: ) 2020-02-02 16:55:05.323 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/localization' 2020-02-02 16:55:05.323 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterRenderer: Setting viewport metrics Size: 1440 x 2362 Padding - L: 0, T: 0, R: 0, B: 0 Insets - L: 0, T: 0, R: 0, B: 0 System Gesture Insets - L: 0, T: 0, R: 0, B: 0 2020-02-02 16:55:05.750 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: onStop() 2020-02-02 16:55:05.750 29167-29167/com.littlegnal.singleenginemultifragment V/LifecycleChannel: Sending AppLifecycleState.paused message. 2020-02-02 16:55:05.751 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/lifecycle' 2020-02-02 16:55:05.751 29167-29167/com.littlegnal.singleenginemultifragment D/FlutterView: Detaching from a FlutterEngine: io.flutter.embedding.engine.FlutterEngine@ed5547d 2020-02-02 16:55:05.761 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterTextureView: Disconnecting FlutterRenderer from Android surface. 2020-02-02 16:55:05.764 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: onSaveInstanceState. Giving plugins an opportunity to save state. 2020-02-02 16:55:05.764 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterEnginePluginRegistry: Forwarding onSaveInstanceState() to plugins. 2020-02-02 16:55:06.942 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:06.942 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:06.942 29167-29167/com.littlegnal.singleenginemultifragment V/PlatformChannel: Received 'SystemSound.play' message. 2020-02-02 16:55:07.198 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:07.198 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:07.198 29167-29167/com.littlegnal.singleenginemultifragment V/PlatformChannel: Received 'SystemSound.play' message. 2020-02-02 16:55:07.416 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:07.416 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:07.417 29167-29167/com.littlegnal.singleenginemultifragment V/PlatformChannel: Received 'SystemSound.play' message. 2020-02-02 16:55:07.626 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:07.626 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:07.626 29167-29167/com.littlegnal.singleenginemultifragment V/PlatformChannel: Received 'SystemSound.play' message. 2020-02-02 16:55:07.848 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:07.848 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:07.848 29167-29167/com.littlegnal.singleenginemultifragment V/PlatformChannel: Received 'SystemSound.play' message. 2020-02-02 16:55:08.789 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: onPause() 2020-02-02 16:55:08.789 29167-29167/com.littlegnal.singleenginemultifragment V/LifecycleChannel: Sending AppLifecycleState.inactive message. 2020-02-02 16:55:08.789 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/lifecycle' 2020-02-02 16:55:08.801 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: onStart() 2020-02-02 16:55:08.802 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: onResume() 2020-02-02 16:55:08.802 29167-29167/com.littlegnal.singleenginemultifragment V/LifecycleChannel: Sending AppLifecycleState.resumed message. 2020-02-02 16:55:08.802 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/lifecycle' 2020-02-02 16:55:08.821 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: Attaching FlutterEngine to FlutterView. 2020-02-02 16:55:08.821 29167-29167/com.littlegnal.singleenginemultifragment D/FlutterView: Attaching to a FlutterEngine: io.flutter.embedding.engine.FlutterEngine@ed5547d 2020-02-02 16:55:08.821 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterTextureView: Attaching to FlutterRenderer. 2020-02-02 16:55:08.821 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterTextureView: Surface is available for rendering. Connecting FlutterRenderer to Android surface. 2020-02-02 16:55:08.827 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Setting handler for channel 'flutter/textinput' 2020-02-02 16:55:08.828 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/textinput' 2020-02-02 16:55:08.836 29167-29167/com.littlegnal.singleenginemultifragment V/SettingsChannel: Sending message: textScaleFactor: 1.0 alwaysUse24HourFormat: false platformBrightness: light 2020-02-02 16:55:08.837 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/settings' 2020-02-02 16:55:08.837 29167-29167/com.littlegnal.singleenginemultifragment V/LocalizationChannel: Sending Locales to Flutter. 2020-02-02 16:55:08.837 29167-29167/com.littlegnal.singleenginemultifragment V/LocalizationChannel: Locale (Language: zh, Country: CN, Variant: ) 2020-02-02 16:55:08.837 29167-29167/com.littlegnal.singleenginemultifragment V/LocalizationChannel: Locale (Language: en, Country: US, Variant: ) 2020-02-02 16:55:08.838 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/localization' 2020-02-02 16:55:08.838 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterRenderer: Setting viewport metrics Size: 1440 x 2362 Padding - L: 0, T: 0, R: 0, B: 0 Insets - L: 0, T: 0, R: 0, B: 0 System Gesture Insets - L: 0, T: 0, R: 0, B: 0 2020-02-02 16:55:09.262 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: onStop() 2020-02-02 16:55:09.262 29167-29167/com.littlegnal.singleenginemultifragment V/LifecycleChannel: Sending AppLifecycleState.paused message. 2020-02-02 16:55:09.263 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/lifecycle' 2020-02-02 16:55:09.263 29167-29167/com.littlegnal.singleenginemultifragment D/FlutterView: Detaching from a FlutterEngine: io.flutter.embedding.engine.FlutterEngine@ed5547d 2020-02-02 16:55:09.268 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterTextureView: Disconnecting FlutterRenderer from Android surface. 2020-02-02 16:55:09.269 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: onDestroyView() 2020-02-02 16:55:09.271 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterTextureView: SurfaceTextureListener.onSurfaceTextureDestroyed() 2020-02-02 16:55:09.272 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterActivityAndFragmentDelegate: onDetach() 2020-02-02 16:55:09.272 29167-29167/com.littlegnal.singleenginemultifragment D/FlutterActivityAndFragmentDelegate: Detaching FlutterEngine from the Activity that owns this Fragment. 2020-02-02 16:55:09.272 29167-29167/com.littlegnal.singleenginemultifragment V/FlutterEnginePluginRegistry: Detaching from an Activity: com.littlegnal.singleenginemultifragment.MainActivity@7d5ed2 2020-02-02 16:55:09.272 29167-29167/com.littlegnal.singleenginemultifragment V/LifecycleChannel: Sending AppLifecycleState.detached message. 2020-02-02 16:55:09.272 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Sending message with callback over channel 'flutter/lifecycle' 2020-02-02 16:55:09.727 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:09.727 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:09.901 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:09.901 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:10.087 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:10.088 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:10.298 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:10.298 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. 2020-02-02 16:55:10.510 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Received message from Dart over channel 'flutter/platform' 2020-02-02 16:55:10.510 29167-29167/com.littlegnal.singleenginemultifragment V/DartMessenger: Deferring to registered handler to process message. ``` <!-- Finally, paste the output of running `flutter doctor -v` here. --> ### flutter doctor ``` [βœ“] Flutter (Channel stable, v1.12.13+hotfix.5, on Mac OS X 10.15.1 19B88, locale en-CN) β€’ Flutter version 1.12.13+hotfix.5 at /Users/littlegnal/dev/flutter β€’ Framework revision 27321ebbad (8 weeks ago), 2019-12-10 18:15:01 -0800 β€’ Engine revision 2994f7e1e6 β€’ Dart version 2.7.0 [βœ“] Android toolchain - develop for Android devices (Android SDK version 29.0.2) β€’ Android SDK at /Users/littlegnal/Library/Android/sdk β€’ Android NDK location not configured (optional; useful for native profiling support) β€’ Platform android-29, build-tools 29.0.2 β€’ ANDROID_HOME = /Users/littlegnal/Library/Android/sdk β€’ Java binary at: /Applications/Android Studio 3.6 Preview.app/Contents/jre/jdk/Contents/Home/bin/java β€’ Java version OpenJDK Runtime Environment (build 1.8.0_212-release-1586-b4-5784211) β€’ All Android licenses accepted. [βœ“] Xcode - develop for iOS and macOS (Xcode 11.3.1) β€’ Xcode at /Applications/Xcode.app/Contents/Developer β€’ Xcode 11.3.1, Build version 11C504 β€’ CocoaPods version 1.8.4 [βœ“] Android Studio (version 3.6) β€’ Android Studio at /Applications/Android Studio 3.6 Preview.app/Contents β€’ Flutter plugin version 43.0.2 β€’ Dart plugin version 192.7761 β€’ Java version OpenJDK Runtime Environment (build 1.8.0_212-release-1586-b4-5784211) [βœ“] Android Studio β€’ Android Studio at /Applications/Android Studio 4.0 Preview.app/Contents β€’ Flutter plugin version 42.1.4 β€’ Dart plugin version 193.5731 β€’ Java version OpenJDK Runtime Environment (build 1.8.0_212-release-1586-b4-5784211) [βœ“] VS Code (version 1.41.1) β€’ VS Code at /Applications/Visual Studio Code.app/Contents β€’ Flutter extension version 3.7.1 [βœ“] Connected device (1 available) β€’ Pixel 2 XL β€’ 801KPSL1456990 β€’ android-arm64 β€’ Android 10 (API 29) β€’ No issues found! ``` </details>
platform-android,engine,a: existing-apps,a: error message,has reproducible steps,P2,team-android,triaged-android,found in release: 3.19,found in release: 3.22
low
Critical
558,585,074
pytorch
Optional seq_len argument to torch.nn.utils.rnn.pad_sequence
## πŸš€ Feature torch.nn.utils.rnn.pad_sequence should take an optional argument that specifies the padded length of the sequence. ## Motivation Suppoose I have a batch of sentences of different lengths 1-100, and I want to pad batches to length 100 (because say my model only takes length-100 sequences). You can't currently do that. ## Alternatives You can hack it by cat-ing an extra tensor onto the end of the padded tensor.
triaged,function request,module: padding
low
Minor
558,593,813
godot
load doesn't work for relative paths that go back a folder without "res://"
**Godot version:** 3.2 **OS/device including version:** Linux Ubuntu 18.04 **Issue description:** Using `load` for a relative path doesn't work if you have to go back a folder and don't use "res://". It works if you don't have to go back a folder. The same doesn't happen with `preload`. It doesn't look like an intended behavior. ![image](https://user-images.githubusercontent.com/15899938/73598502-d64a9d80-4517-11ea-9a05-cfbf39d158c8.png) **Steps to reproduce:** Create a scene inside a folder. Create another scene inside another folder. Put a script in the root of the first scene. Try to load the second scene with `load("../OtherSceneFolder/OtherScene.tscn)` **Minimal reproduction project:** [load_bug.zip](https://github.com/godotengine/godot/files/4143212/load_bug.zip) I found this ancient issue that states the same problem #5999 (don't know if it is usefull tho). Of course it is a small problem that have an easy work-around (ensuring that the path starts with res://). # Edit: I found out that the work-around only works if the folders are in the root directory. If they are inside another folder it doesn't work even with preload. All code is inside the script of the root node of Main.tscn (Main.gd). ## Folder structure: ![image](https://user-images.githubusercontent.com/15899938/73598755-06477000-451b-11ea-90e1-3889d80b1693.png) ## preload can't load with res:// ![image](https://user-images.githubusercontent.com/15899938/73598746-e31cc080-451a-11ea-9446-8f4457d5593d.png) ## preload can load without res:// ![image](https://user-images.githubusercontent.com/15899938/73598750-f0d24600-451a-11ea-86a1-e074f7b28f98.png) ## load fails either way: ![image](https://user-images.githubusercontent.com/15899938/73598770-25de9880-451b-11ea-83be-e1be2c89315f.png) ## New minimal reproduction project [load-bug2-the-return.zip](https://github.com/godotengine/godot/files/4143234/load-bug2-the-return.zip)
enhancement,topic:gdscript,confirmed
low
Critical
558,601,040
rust
Initializers of stable constants can call const unstable functions
Crates using `staged_api` are forbidden from calling const unstable functions from stable const functions. However, this restriction [does not extend](https://play.rust-lang.org/?version=nightly&mode=debug&edition=2018&gist=53d0049a668c92684fd26fc76eafad21) to the initializers of consts or statics. Although unlikely, this could allow for "backdoor stabilization" of various const-eval features. For example, the following would lock in the current implementation of `const_if_match`. ```rust #![stable(feature = "bar", since = "1.34")] #![feature(staged_api)] #![feature(const_if_match)] #![feature(foo)] #[rustc_const_unstable(feature = "foo", issue = "0")] const fn foo() -> i32 { if true { 0 } else { 1 } } #[stable(feature = "bar", since = "1.34")] pub const BAR: i32 = foo(); ``` If `BAR` were a `const fn` instead of a `const`, that example would be rejected. ```rust #[rustc_const_stable(feature = "bar", since = "1.34")] pub const fn bar() -> i32 { foo() } ``` cc @rust-lang/wg-const-eval
A-stability,T-compiler,C-bug,A-const-eval
low
Critical
558,608,763
vscode
[html] HTML breadcrumbs don't work right when optional end tags omitted
- VSCode Version: 1.42.0-insider - OS Version: Linux Mint 19.3 Steps to Reproduce: 1. Create an HTML document. Sprinkle liberally with `<p>`, `<li>` (inside of `<ul>` or `<ol>`, obviously), `<tr>` or `<td>` inside of `<table>`, and any other elements noted in the HTML5 spec as having optional end tags (see https://html.spec.whatwg.org/#syntax-tag-omission). 2. If you closed the various tags above with their end tags (e.g., `</p>`), then run the page through something like HTML Tidy (I am using v5.7.28), passing in the `--omit-optional-tags yes` argument. 3. Open the reformatted file in VSCode and navigate somewhere where there are multiple `<p>` or `<li>` or similar in a row. Note that there will be a breadcrumb for **each** open tag, because VSCode is apparently looking for end tags to close off the element, even though it is not required. In a complex document, this make VSCode breadcrumbs pretty worthless. Here is an example, before a Tidy reformat, with focus on the third list item element in the fourth paragraph (note breadcrumbs working as expected): ![BeforeReformat](https://user-images.githubusercontent.com/3743601/73599999-2e7da180-4510-11ea-9747-8843a2af2ba8.png) And here are the breadcrumbs after the Tidy reformat, with focus on the same list item element: ![AfterReformat](https://user-images.githubusercontent.com/3743601/73600004-3d645400-4510-11ea-951b-1b32a983fbb4.png) Does this issue occur when all extensions are disabled?: Yes
feature-request,html
medium
Major
558,614,667
go
cmd/compile: it is not possible to prevent FMA with complex values
<!-- Please answer these questions before submitting your issue. Thanks! For questions please use one of our forums: https://github.com/golang/go/wiki/Questions --> ### What version of Go are you using (`go version`)? <pre> $ go version go version go1.13.6 linux/amd64 </pre> ### Does this issue reproduce with the latest release? Yes ### What operating system and processor architecture are you using (`go env`)? <details><summary><code>go env</code> Output</summary><br><pre> $ go env GO111MODULE="on" GOARCH="arm64" GOBIN="/home/user/bin" GOCACHE="/home/user/.cache/go-build" GOENV="/home/user/.config/go/env" GOEXE="" GOFLAGS="" GOHOSTARCH="amd64" GOHOSTOS="linux" GONOPROXY="" GONOSUMDB="" GOOS="linux" GOPATH="/home/user" GOPRIVATE="" GOPROXY="https://proxy.golang.org,direct" GOROOT="/home/user/go" GOSUMDB="sum.golang.org" GOTMPDIR="" GOTOOLDIR="/home/user/go/pkg/tool/linux_amd64" GCCGO="gccgo" AR="ar" CC="gcc" CXX="g++" CGO_ENABLED="0" GOMOD="/dev/null" CGO_CFLAGS="-g -O2" CGO_CPPFLAGS="" CGO_CXXFLAGS="-g -O2" CGO_FFLAGS="-g -O2" CGO_LDFLAGS="-g -O2" PKG_CONFIG="pkg-config" GOGCCFLAGS="-fPIC -fmessage-length=0 -fdebug-prefix-map=/tmp/go-build515689865=/tmp/go-build -gno-record-gcc-switches" </pre></details> ### What did you do? <!-- If possible, provide a recipe for reproducing the error. A complete runnable program is good. A link on play.golang.org is best. --> Examine the assembly generated for the code at https://play.golang.org/p/JuTC-BPAIJN with `GOARCH=arm64` ### What did you expect to see? No FMA/FMS instructions emitted. ### What did you see instead? ``` 0x00ac 00172 (/home/user/c.go:19) PCDATA ZR, $5 0x00ac 00172 (/home/user/c.go:19) FMOVD 8(R8), F4 0x00b0 00176 (/home/user/c.go:19) FMSUBD F1, F3, F4, F3 0x00b4 00180 (/home/user/c.go:19) SCVTFD R2, F5 0x00b8 00184 (/home/user/c.go:19) FADDD F5, F3, F3 0x00bc 00188 (/home/user/c.go:19) FMOVD F3, (R0)(R6) 0x00c0 00192 (/home/user/c.go:19) FMULD F4, F0, F0 0x00c4 00196 (/home/user/c.go:19) FMADDD F1, F0, F2, F0 0x00c8 00200 (/home/user/c.go:19) FMOVD ZR, F1 0x00cc 00204 (/home/user/c.go:19) FADDD F0, F1, F0 ``` No amount of wrapping the operands in `complex128` prevents this AFAICS.
NeedsInvestigation,compiler/runtime
medium
Critical
558,621,760
flutter
Window properties aren't set on non-main Isolates
I have a background Isolate (triggered from android_alarm_manager) where I show a notification. I want to honor the user's 12h/24h formatting preference in the notification, so I check `window.alwaysUse24HourFormat`. However, that doesn't work: it's always false. Same with other values, like `window.textScaleFactor`.
engine,dependency: dart,dependency: android,P2,team-engine,triaged-engine
low
Minor
558,637,345
flutter
Add ripple effect style of new Android versions
<!-- Thank you for using Flutter! If you are looking for support, please check out our documentation or consider asking a question on Stack Overflow: * https://flutter.dev/ * https://api.flutter.dev/ * https://stackoverflow.com/questions/tagged/flutter?sort=frequent If you have found a bug or if our documentation doesn't have an answer to what you're looking for, then fill our the template below. Please read our guide to filing a bug first: https://flutter.dev/docs/resources/bug-reports --> ## Use case Ripple effects of flutter app is looking kind of old fashioned in new Android versions. <!-- Please tell us the problem you are running into that led to you wanting a new feature. Is your feature request related to a problem? Please give a clear and concise description of what the problem is. Describe alternative solutions you've considered. Is there a package on pub.dev/flutter that already solves this? --> ## Proposal As you may know Android 9 introduced new animations, with those new animations we got a new kind of ripple effect animation, if there can be feature in flutter to use the new ripple effects that would look more native on new Android versions. <!-- Briefly but precisely describe what you would like Flutter to be able to do. Consider attaching images showing what you are imagining. Does this have to be provided by Flutter directly, or can it be provided by a package on pub.dev/flutter? If so, maybe consider implementing and publishing such a package rather than filing a bug. -->
framework,a: animation,f: material design,a: fidelity,a: quality,c: proposal,P2,team-design,triaged-design
low
Critical
558,667,700
create-react-app
FATAL ERROR: Ineffective mark-compacts near heap limit Allocation failed - JavaScript heap out of memory -\node_modules\typescript\lib\typescript.js
Recently I migrated mine react project to typescript with CRA. After a while, builds became slower. (around 300s for the build) Lastly when I converted the following file from .js to .ts: I discovered that with findQuestion() code compiles in more than 1000 s. but if I add FilterQuestions() I get Ineffective mark-compacts near heap allocation failed! To mention that the project starts and runs even if typescript code is not compiled. ``` //.... imports const _properties = types.model({ template_uuid: types.identifier, title: "", description: "", style: "", external_key: types.optional(types.model("template_ext_key", { actno: 0, soknadId: 0 }),{}) }); export const Schema = types.model("Schema", { //... a lot of fields questions: types.optional(types.array(UnionQuestions),[]), consent_templates: types.optional(types.array(ConsentTemplate), []) }) .views(self =>({ //method below throws Ineffective mark-compacts near heap allocation failed when try to build **filterQuestions(question_uuid:string){ let questions = self.questions.filter(q => q.properties.question_uuid !== question_uuid) return questions },** // method below drastically slows down the build findQuestion(question_uuid:string){ const question = self.questions.find(q=>{ return q.properties.question_uuid === question_uuid }) return question }, isAccessibleForPatient:()=>return self.accessible === "patient", accessibleFor()=>return self.accessible })) .actions(self => ({ // ... it works with this block })); ``` my package.json file: ``` { "name": "adopus-portal-typescript", "version": "0.1.0", "private": true, "dependencies": { "@material-ui/core": "^4.8.3", "@material-ui/icons": "^4.5.1", "@testing-library/jest-dom": "^4.2.4", "@testing-library/react": "^9.3.2", "@testing-library/user-event": "^8.0.3", "@trendmicro/react-sidenav": "^0.5.0", "@types/jest": "^24.0.0", "@types/node": "^13.1.6", "@types/react": "^16.9.0", "@types/react-dom": "^16.9.0", "@types/react-router-dom": "^5.1.3", "@types/uuid": "^3.4.7", "all": "^0.0.0", "antd": "^3.26.6", "apollo-boost": "^0.4.7", "apollo-cache": "^1.3.4", "apollo-client": "^2.6.8", "apollo-link": "^1.2.13", "apollo-utilities": "^1.3.3", "axios": "^0.19.1", "graphql": "^14.5.8", "immer": "^5.3.2", "js-sha256": "^0.9.0", "lodash": "^4.17.15", "mobx": "^5.15.2", "mobx-react-lite": "^1.5.2", "mobx-state-tree": "^3.15.0", "moment": "^2.24.0", "rc-datepicker": "^5.0.15", "react": "^16.12.0", "react-apollo": "^3.1.3", "react-bootstrap": "^1.0.0-beta.16", "react-dom": "^16.12.0", "react-outside-click-handler": "^1.3.0", "react-reveal": "^1.2.2", "react-router-dom": "^5.1.2", "react-scripts": "3.3.0", "react-select": "^3.0.8", "regexpp": "^3.0.0", "sweetalert2": "^9.5.4", "typescript": "^3.7.5", "use-immer": "^0.3.5", "uuid": "^3.3.3" }, "scripts": { "start": "react-scripts start", "build": "react-scripts build", "test": "react-scripts test", "eject": "react-scripts eject" }, "eslintConfig": { "extends": "react-app" }, "browserslist": { "production": [ ">0.2%", "not dead", "not op_mini all" ], "development": [ "last 1 chrome version", "last 1 firefox version", "last 1 safari version" ] }, "devDependencies": { "tslint": "^5.20.1", "tslint-config-prettier": "^1.18.0", "tslint-react": "^4.1.0" } } ``` tsconfig.json file: ``` { "compilerOptions": { "target": "es5", "lib": [ "dom", "dom.iterable", "esnext" ], "allowJs": true, "skipLibCheck": true, "esModuleInterop": true, "allowSyntheticDefaultImports": true, "strict": true, "forceConsistentCasingInFileNames": true, "module": "esnext", "moduleResolution": "node", "resolveJsonModule": true, "isolatedModules": true, "noEmit": true, "noImplicitReturns": true, "jsx": "react" }, "include": [ "src" ] } ``` this is the cli output: ``` yarn run v1.21.1 $ react-scripts build Creating an optimized production build... <--- Last few GCs ---> tart of marking 1124 ms) (average mu = 0.195, current mu = 0.080) [6860:000002C85ACEDC20] 1596665 ms: Mark-sweep 2044.5 (2054.5) -> 2042.1 (2053.8) MB, 733.4 / 0.0 ms (+ 224.1 ms in 50 steps since start of marking, biggest step 9.4 ms, walltime since start of marking 985 ms) (average mu = 0.127, current mu = 0.028) al[6860:000002C85ACEDC20] 1598454 ms: Mark-sweep 2043.3 (2053.8) -> 2042.4 (2053.0) MB, 1783.0 / 0.0 ms (average mu = 0.053, current mu = 0.003) allocation failure scavenge might not succeed <--- JS stacktrace ---> ==== JS stack trace ========================================= 0: ExitFrame [pc: 00007FF77E87404D] Security context: 0x03fa58ec08a1 <JSObject> 1: write [000002A62B1C4569] [C:\Sites\adopus-portal\node_modules\typescript\lib\typescript.js:~12994] [pc=00000314C50E377B](this=0x02a62b1c1f01 <Object map = 00000217F49B5C21>,0x0132154d1ac9 <String[#1]: :>) 2: writePunctuation(aka writePunctuation) [000001970EAC5D79] [C:\Sites\adopus-portal\node_modules\typescript\lib\typescript.js:~93092] [pc=000... FATAL ERROR: Ineffective mark-compacts near heap limit Allocation failed - JavaScript heap out of memory Writing Node.js report to file: report.20200201.190457.6860.0.001.json Node.js report completed 1: 00007FF77DCA124F napi_wrap+124431 2: 00007FF77DC42A06 public: bool __cdecl v8::base::CPU::has_sse(void)const __ptr64+34502 3: 00007FF77DC436C6 public: bool __cdecl v8::base::CPU::has_sse(void)const __ptr64+37766 4: 00007FF77E4482DE private: void __cdecl v8::Isolate::ReportExternalAllocationLimitReached(void) __ptr64+94 5: 00007FF77E430321 public: class v8::SharedArrayBuffer::Contents __cdecl v8::SharedArrayBuffer::Externalize(void) __ptr64+833 6: 00007FF77E2FDBEC public: static void __cdecl v8::internal::Heap::EphemeronKeyWriteBarrierFromCode(unsigned __int64,unsigned __int64,class v8::internal::Isolate * __ptr64)+1436 7: 00007FF77E308F90 public: void __cdecl v8::internal::Heap::ProtectUnprotectedMemoryChunks(void) __ptr64+1312 8: 00007FF77E305AC4 public: static bool __cdecl v8::internal::Heap::PageFlagsAreConsistent(class v8::internal::HeapObject)+3204 9: 00007FF77E2FB353 public: bool __cdecl v8::internal::Heap::CollectGarbage(enum v8::internal::AllocationSpace,enum v8::internal::GarbageCollectionReason,enum v8::GCCallbackFlags) __ptr64+1283 10: 00007FF77E2F9B24 public: void __cdecl v8::internal::Heap::AddRetainedMap(class v8::internal::Handle<class v8::internal::Map>) __ptr64+2356 11: 00007FF77E31ADF5 public: class v8::internal::Handle<class v8::internal::HeapObject> __cdecl v8::internal::Factory::NewFillerObject(int,bool,enum v8::internal::AllocationType) __ptr64+53 12: 00007FF77E086E19 ??4iterator@JumpTableTargetOffsets@interpreter@internal@v8@@QEAAAEAV01234@$$QEAV01234@@Z+4057 13: 00007FF77E87404D public: virtual bool __cdecl v8::internal::SetupIsolateDelegate::SetupHeap(class v8::internal::Heap * __ptr64) __ptr64+567949 14: 00000314C50E377B Done in 1623.07s. ``` this is report issued **report.20200201.190457.6860.0.001.json**: ``` { "header": { "reportVersion": 1, "event": "Allocation failed - JavaScript heap out of memory", "trigger": "FatalError", "filename": "report.20200201.190457.6860.0.001.json", "dumpEventTime": "2020-02-01T19:04:57Z", "dumpEventTimeStamp": "1580580297811", "processId": 6860, "cwd": "C:\\Sites\\adopus-portal", "commandLine": [ "C:\\Program Files\\nodejs\\node.exe", "--max-old-space-size=2048", "C:\\Sites\\adopus-portal\\node_modules\\fork-ts-checker-webpack-plugin\\lib\\service.js" ], "nodejsVersion": "v12.13.1", "wordSize": 64, "arch": "x64", "platform": "win32", "componentVersions": { "node": "12.13.1", "v8": "7.7.299.13-node.16", "uv": "1.33.1", "zlib": "1.2.11", "brotli": "1.0.7", "ares": "1.15.0", "modules": "72", "nghttp2": "1.39.2", "napi": "5", "llhttp": "1.1.4", "http_parser": "2.8.0", "openssl": "1.1.1d", "cldr": "35.1", "icu": "64.2", "tz": "2019c", "unicode": "12.1" }, "release": { "name": "node", "lts": "Erbium", "headersUrl": "https://nodejs.org/download/release/v12.13.1/node-v12.13.1-headers.tar.gz", "sourceUrl": "https://nodejs.org/download/release/v12.13.1/node-v12.13.1.tar.gz", "libUrl": "https://nodejs.org/download/release/v12.13.1/win-x64/node.lib" }, "osName": "Windows_NT", "osRelease": "10.0.17134", "osVersion": "Windows 10 Enterprise", "osMachine": "x86_64", "cpus": [ { "model": "Intel(R) Core(TM) i7-5700HQ CPU @ 2.70GHz", "speed": 2694, "user": 2950421, "nice": 0, "sys": 2462468, "idle": 14204578, "irq": 294921 }, { "model": "Intel(R) Core(TM) i7-5700HQ CPU @ 2.70GHz", "speed": 2694, "user": 1684500, "nice": 0, "sys": 1303453, "idle": 16629234, "irq": 32421 }, { "model": "Intel(R) Core(TM) i7-5700HQ CPU @ 2.70GHz", "speed": 2694, "user": 3180984, "nice": 0, "sys": 2659421, "idle": 13776781, "irq": 23187 }, { "model": "Intel(R) Core(TM) i7-5700HQ CPU @ 2.70GHz", "speed": 2694, "user": 1956890, "nice": 0, "sys": 1418218, "idle": 16242078, "irq": 15515 }, { "model": "Intel(R) Core(TM) i7-5700HQ CPU @ 2.70GHz", "speed": 2694, "user": 3539625, "nice": 0, "sys": 2513015, "idle": 13564546, "irq": 27265 }, { "model": "Intel(R) Core(TM) i7-5700HQ CPU @ 2.70GHz", "speed": 2694, "user": 2563375, "nice": 0, "sys": 1366000, "idle": 15687812, "irq": 20093 }, { "model": "Intel(R) Core(TM) i7-5700HQ CPU @ 2.70GHz", "speed": 2694, "user": 3668296, "nice": 0, "sys": 2280281, "idle": 13668609, "irq": 17859 }, { "model": "Intel(R) Core(TM) i7-5700HQ CPU @ 2.70GHz", "speed": 2694, "user": 2599343, "nice": 0, "sys": 2430656, "idle": 14587171, "irq": 40656 } ], "networkInterfaces": [ { "name": "vEthernet (DockerNAT)", "internal": false, "mac": "00:15:5d:8b:e1:4f", "address": "fe80::8d3c:6d13:744f:d396", "netmask": "ffff:ffff:ffff:ffff::", "family": "IPv6", "scopeid": 28 }, { "name": "vEthernet (DockerNAT)", "internal": false, "mac": "00:15:5d:8b:e1:4f", "address": "10.0.75.1", "netmask": "255.255.255.0", "family": "IPv4" }, { "name": "VirtualBox Host-Only Network", "internal": false, "mac": "0a:00:27:00:00:14", "address": "fe80::11be:a0dc:4b53:b244", "netmask": "ffff:ffff:ffff:ffff::", "family": "IPv6", "scopeid": 20 }, { "name": "VirtualBox Host-Only Network", "internal": false, "mac": "0a:00:27:00:00:14", "address": "192.168.56.1", "netmask": "255.255.255.0", "family": "IPv4" }, { "name": "Npcap Loopback Adapter", "internal": false, "mac": "02:00:4c:4f:4f:50", "address": "fe80::748c:9f80:f780:85a4", "netmask": "ffff:ffff:ffff:ffff::", "family": "IPv6", "scopeid": 19 }, { "name": "Npcap Loopback Adapter", "internal": false, "mac": "02:00:4c:4f:4f:50", "address": "169.254.133.164", "netmask": "255.255.0.0", "family": "IPv4" }, { "name": "Wi-Fi", "internal": false, "mac": "34:02:86:af:6a:31", "address": "2001:4643:b60e:0:6c6b:ee20:1e3d:7183", "netmask": "ffff:ffff:ffff:ffff::", "family": "IPv6", "scopeid": 0 }, { "name": "Wi-Fi", "internal": false, "mac": "34:02:86:af:6a:31", "address": "2001:4643:b60e:0:c175:6813:9862:6005", "netmask": "ffff:ffff:ffff:ffff:ffff:ffff:ffff:ffff", "family": "IPv6", "scopeid": 0 }, { "name": "Wi-Fi", "internal": false, "mac": "34:02:86:af:6a:31", "address": "fe80::6c6b:ee20:1e3d:7183", "netmask": "ffff:ffff:ffff:ffff::", "family": "IPv6", "scopeid": 29 }, { "name": "Wi-Fi", "internal": false, "mac": "34:02:86:af:6a:31", "address": "10.0.0.7", "netmask": "255.255.255.0", "family": "IPv4" }, { "name": "Loopback Pseudo-Interface 1", "internal": true, "mac": "00:00:00:00:00:00", "address": "::1", "netmask": "ffff:ffff:ffff:ffff:ffff:ffff:ffff:ffff", "family": "IPv6", "scopeid": 0 }, { "name": "Loopback Pseudo-Interface 1", "internal": true, "mac": "00:00:00:00:00:00", "address": "127.0.0.1", "netmask": "255.0.0.0", "family": "IPv4" }, { "name": "vEthernet (Default Switch)", "internal": false, "mac": "62:15:ca:30:86:01", "address": "fe80::f02f:675e:d44d:4be5", "netmask": "ffff:ffff:ffff:ffff::", "family": "IPv6", "scopeid": 4 }, { "name": "vEthernet (Default Switch)", "internal": false, "mac": "62:15:ca:30:86:01", "address": "172.21.88.193", "netmask": "255.255.255.240", "family": "IPv4" } ], "host": "igorPC" }, "javascriptStack": { "message": "No stack.", "stack": [ "Unavailable." ] }, "nativeStack": [ { "pc": "0x00007ff77db51729", "symbol": "std::basic_ostream<char,std::char_traits<char> >::operator<<+10873" }, { "pc": "0x00007ff77db55b4c", "symbol": "std::basic_ostream<char,std::char_traits<char> >::operator<<+28316" }, { "pc": "0x00007ff77db54b08", "symbol": "std::basic_ostream<char,std::char_traits<char> >::operator<<+24152" }, { "pc": "0x00007ff77dc4369b", "symbol": "v8::base::CPU::has_sse+37723" }, { "pc": "0x00007ff77e4482de", "symbol": "v8::Isolate::ReportExternalAllocationLimitReached+94" }, { "pc": "0x00007ff77e430321", "symbol": "v8::SharedArrayBuffer::Externalize+833" }, { "pc": "0x00007ff77e2fdbec", "symbol": "v8::internal::Heap::EphemeronKeyWriteBarrierFromCode+1436" }, { "pc": "0x00007ff77e308f90", "symbol": "v8::internal::Heap::ProtectUnprotectedMemoryChunks+1312" }, { "pc": "0x00007ff77e305ac4", "symbol": "v8::internal::Heap::PageFlagsAreConsistent+3204" }, { "pc": "0x00007ff77e2fb353", "symbol": "v8::internal::Heap::CollectGarbage+1283" }, { "pc": "0x00007ff77e2f9b24", "symbol": "v8::internal::Heap::AddRetainedMap+2356" }, { "pc": "0x00007ff77e31adf5", "symbol": "v8::internal::Factory::NewFillerObject+53" }, { "pc": "0x00007ff77e086e19", "symbol": "v8::internal::interpreter::JumpTableTargetOffsets::iterator::operator=+4057" }, { "pc": "0x00007ff77e87404d", "symbol": "v8::internal::SetupIsolateDelegate::SetupHeap+567949" }, { "pc": "0x00000314c50e377b", "symbol": "" } ], "javascriptHeap": { "totalMemory": 2156163072, "totalCommittedMemory": 2156163072, "usedMemory": 2141806824, "availableMemory": 46371648, "memoryLimit": 2197815296, "heapSpaces": { "read_only_space": { "memorySize": 262144, "committedMemory": 262144, "capacity": 261872, "used": 32296, "available": 229576 }, "new_space": { "memorySize": 4194304, "committedMemory": 4194304, "capacity": 2094976, "used": 200552, "available": 1894424 }, "old_space": { "memorySize": 2113777664, "committedMemory": 2113777664, "capacity": 2104971224, "used": 2104470776, "available": 500448 }, "code_space": { "memorySize": 2523136, "committedMemory": 2523136, "capacity": 2161760, "used": 2161760, "available": 0 }, "map_space": { "memorySize": 1052672, "committedMemory": 1052672, "capacity": 688880, "used": 688880, "available": 0 }, "large_object_space": { "memorySize": 34304000, "committedMemory": 34304000, "capacity": 34249008, "used": 34249008, "available": 0 }, "code_large_object_space": { "memorySize": 49152, "committedMemory": 49152, "capacity": 3552, "used": 3552, "available": 0 }, "new_large_object_space": { "memorySize": 0, "committedMemory": 0, "capacity": 2094976, "used": 0, "available": 2094976 } } }, "resourceUsage": { "userCpuSeconds": 1843.52, "kernelCpuSeconds": 15.453, "cpuConsumptionPercent": 115.751, "maxRss": 2247430144, "pageFaults": { "IORequired": 1055075, "IONotRequired": 0 }, "fsActivity": { "reads": 3315, "writes": 6 } }, "libuv": [ ], "environmentVariables": { "ADVOCA_URL": "https://test.advoca.localhost", "ALLUSERSPROFILE": "C:\\ProgramData", "APPDATA": "C:\\Users\\User\\AppData\\Roaming", "BABEL_ENV": "production", "BROWSER": "none", "CHECK_SYNTACTIC_ERRORS": "true", "CommonProgramFiles": "C:\\Program Files\\Common Files", "CommonProgramFiles(x86)": "C:\\Program Files (x86)\\Common Files", "CommonProgramW6432": "C:\\Program Files\\Common Files", "COMPILER_OPTIONS": "{}", "COMPOSE_CONVERT_WINDOWS_PATHS": "true", "COMPUTERNAME": "IGORPC", "ComSpec": "C:\\WINDOWS\\system32\\cmd.exe", "configsetroot": "C:\\WINDOWS\\ConfigSetRoot", "CONTEXT": "C:\\Sites\\adopus-portal", "DriverData": "C:\\Windows\\System32\\Drivers\\DriverData", "ESLINT": "false", "ESLINT_OPTIONS": "{}", "GIT_SSH": "C:\\Program Files\\PuTTY\\plink.exe", "GOPATH": "C:\\Users\\User\\go", "HOMEDRIVE": "C:", "HOMEPATH": "\\Users\\User", "INIT_CWD": "C:\\Sites\\adopus-portal", "JAVA_HOME": "C:\\Program Files (x86)\\Java\\jdk1.8.0_172", "LOCALAPPDATA": "C:\\Users\\User\\AppData\\Local", "LOGONSERVER": "\\\\IGORPC", "MEMORY_LIMIT": "2048", "Nmap": "C:\\Program Files (x86)\\Nmap", "NODE": "C:\\Program Files\\nodejs\\node.exe", "NODE_ENV": "production", "NODE_PATH": "", "npm_config_argv": "{\"remain\":[],\"cooked\":[\"run\",\"build\"],\"original\":[\"build\"]}", "npm_config_bin_links": "true", "npm_config_ignore_optional": "", "npm_config_ignore_scripts": "", "npm_config_init_license": "MIT", "npm_config_init_version": "1.0.0", "npm_config_registry": "https://registry.yarnpkg.com", "npm_config_save_prefix": "^", "npm_config_strict_ssl": "true", "npm_config_user_agent": "yarn/1.21.1 npm/? node/v12.13.1 win32 x64", "npm_config_version_commit_hooks": "true", "npm_config_version_git_message": "v%s", "npm_config_version_git_sign": "", "npm_config_version_git_tag": "true", "npm_config_version_tag_prefix": "v", "npm_execpath": "C:\\Program Files (x86)\\Yarn\\bin\\yarn.js", "npm_lifecycle_event": "build", "npm_lifecycle_script": "react-scripts build", "npm_node_execpath": "C:\\Program Files\\nodejs\\node.exe", "npm_package_browserslist_development_0": "last 1 chrome version", "npm_package_browserslist_development_1": "last 1 firefox version", "npm_package_browserslist_development_2": "last 1 safari version", "npm_package_browserslist_production_0": ">0.2%", "npm_package_browserslist_production_1": "not dead", "npm_package_browserslist_production_2": "not op_mini all", "npm_package_dependencies_all": "^0.0.0", "npm_package_dependencies_antd": "^3.26.6", "npm_package_dependencies_apollo_boost": "^0.4.7", "npm_package_dependencies_apollo_cache": "^1.3.4", "npm_package_dependencies_apollo_client": "^2.6.8", "npm_package_dependencies_apollo_link": "^1.2.13", "npm_package_dependencies_apollo_utilities": "^1.3.3", "npm_package_dependencies_axios": "^0.19.1", "npm_package_dependencies_graphql": "^14.5.8", "npm_package_dependencies_immer": "^5.3.2", "npm_package_dependencies_js_sha256": "^0.9.0", "npm_package_dependencies_lodash": "^4.17.15", "npm_package_dependencies_mobx": "^5.15.2", "npm_package_dependencies_mobx_react_lite": "^1.5.2", "npm_package_dependencies_mobx_state_tree": "^3.15.0", "npm_package_dependencies_moment": "^2.24.0", "npm_package_dependencies_rc_datepicker": "^5.0.15", "npm_package_dependencies_react": "^16.12.0", "npm_package_dependencies_react_apollo": "^3.1.3", "npm_package_dependencies_react_bootstrap": "^1.0.0-beta.16", "npm_package_dependencies_react_dom": "^16.12.0", "npm_package_dependencies_react_outside_click_handler": "^1.3.0", "npm_package_dependencies_react_reveal": "^1.2.2", "npm_package_dependencies_react_router_dom": "^5.1.2", "npm_package_dependencies_react_scripts": "3.3.0", "npm_package_dependencies_react_select": "^3.0.8", "npm_package_dependencies_regexpp": "^3.0.0", "npm_package_dependencies_sweetalert2": "^9.5.4", "npm_package_dependencies_typescript": "~3.7.2", "npm_package_dependencies_use_immer": "^0.3.5", "npm_package_dependencies_uuid": "^3.3.3", "npm_package_dependencies__material_ui_core": "^4.8.3", "npm_package_dependencies__material_ui_icons": "^4.5.1", "npm_package_dependencies__testing_library_jest_dom": "^4.2.4", "npm_package_dependencies__testing_library_react": "^9.3.2", "npm_package_dependencies__testing_library_user_event": "^8.0.3", "npm_package_dependencies__trendmicro_react_sidenav": "^0.5.0", "npm_package_dependencies__types_jest": "^24.0.0", "npm_package_dependencies__types_node": "^13.1.6", "npm_package_dependencies__types_react": "^16.9.0", "npm_package_dependencies__types_react_dom": "^16.9.0", "npm_package_dependencies__types_react_router_dom": "^5.1.3", "npm_package_dependencies__types_uuid": "^3.4.7", "npm_package_devDependencies_tslint": "^5.20.1", "npm_package_devDependencies_tslint_config_prettier": "^1.18.0", "npm_package_devDependencies_tslint_react": "^4.1.0", "npm_package_eslintConfig_extends": "react-app", "npm_package_name": "adopus-portal-typescript", "npm_package_private": "true", "npm_package_readmeFilename": "readme.docker.txt", "npm_package_scripts_build": "react-scripts build", "npm_package_scripts_eject": "react-scripts eject", "npm_package_scripts_start": "react-scripts start", "npm_package_scripts_test": "react-scripts test", "npm_package_version": "0.1.0", "NUMBER_OF_PROCESSORS": "8", "NVM_HOME": "C:\\Users\\User\\AppData\\Roaming\\nvm", "NVM_SYMLINK": "C:\\Program Files\\nodejs", "OneDrive": "C:\\Users\\User\\OneDrive", "OS": "Windows_NT", "Path": "C:\\Users\\User\\AppData\\Local\\Temp\\yarn--1580578676150-0.03995858093112847;C:\\Sites\\adopus-portal\\node_modules\\.bin;C:\\Users\\User\\AppData\\Local\\Yarn\\Data\\link\\node_modules\\.bin;C:\\Program Files\\libexec\\lib\\node_modules\\npm\\bin\\node-gyp-bin;C:\\Program Files\\lib\\node_modules\\npm\\bin\\node-gyp-bin;C:\\Program Files\\nodejs\\node_modules\\npm\\bin\\node-gyp-bin;C:\\Program Files\\Docker\\Docker\\Resources\\bin;C:\\wamp\\bin\\php\\php7.2.4;C:\\Program Files (x86)\\Intel\\iCLS Client\\;C:\\Program Files\\Intel\\iCLS Client\\;C:\\Windows\\system32;C:\\Windows;C:\\Windows\\System32\\Wbem;C:\\Windows\\System32\\WindowsPowerShell\\v1.0\\;C:\\Program Files (x86)\\Intel\\Intel(R) Management Engine Components\\DAL;C:\\Program Files\\Intel\\Intel(R) Management Engine Components\\DAL;C:\\Program Files (x86)\\Intel\\Intel(R) Management Engine Components\\IPT;C:\\Program Files\\Intel\\Intel(R) Management Engine Components\\IPT;C:\\Program Files (x86)\\NVIDIA Corporation\\PhysX\\Common;C:\\Program Files\\Intel\\WiFi\\bin\\;C:\\Program Files\\Common Files\\Intel\\WirelessCommon\\;C:\\Program Files\\dotnet\\;C:\\Program Files\\Microsoft SQL Server\\130\\Tools\\Binn\\;C:\\Program Files\\PuTTY\\;C:\\WINDOWS\\system32;C:\\WINDOWS;C:\\WINDOWS\\System32\\Wbem;C:\\WINDOWS\\System32\\WindowsPowerShell\\v1.0\\;C:\\WINDOWS\\System32\\OpenSSH\\;C:\\ProgramData\\ComposerSetup\\bin;C:\\Program Files\\Microsoft VS Code\\bin;C:\\Program Files (x86)\\CrSSL\\bin;C:\\Users\\User\\AppData\\Roaming\\nvm;C:\\Program Files\\nodejs;C:\\Program Files\\TortoiseGit\\bin;C:\\HashiCorp\\Vagrant\\bin;C:\\Go\\bin;C:\\Program Files (x86)\\Yarn\\bin\\;C:\\Program Files\\Git\\cmd;C:\\RailsInstaller\\Git\\cmd;C:\\RailsInstaller\\Ruby2.3.3\\bin;C:\\cross_platform\\flutter_windows_v0.5.1-beta\\flutter\\bin;C:\\Users\\User\\AppData\\Local\\atom\\bin;C:\\Program Files\\Microsoft VS Code\\bin;C:\\Users\\User\\AppData\\Local\\Microsoft\\WindowsApps;C:\\Users\\User\\AppData\\Roaming\\Composer\\vendor\\bin;C:\\Users\\User\\AppData\\Roaming\\npm;C:\\Users\\User\\AppData\\Roaming\\nvm;C:\\Program Files\\nodejs;C:\\Users\\User\\.dotnet\\tools;C:\\Users\\igor\\AppData\\Roaming\\npm;C:\\Users\\User\\go\\bin;C:\\Users\\User\\AppData\\Local\\Yarn\\bin", "PATHEXT": ".COM;.EXE;.BAT;.CMD;.VBS;.VBE;.JSE;.WSF;.WSH;.MSC", "PROCESSOR_ARCHITECTURE": "AMD64", "PROCESSOR_IDENTIFIER": "Intel64 Family 6 Model 71 Stepping 1, GenuineIntel", "PROCESSOR_LEVEL": "6", "PROCESSOR_REVISION": "4701", "ProgramData": "C:\\ProgramData", "ProgramFiles": "C:\\Program Files", "ProgramFiles(x86)": "C:\\Program Files (x86)", "ProgramW6432": "C:\\Program Files", "PROMPT": "$P$G", "PSModulePath": "C:\\WINDOWS\\system32\\WindowsPowerShell\\v1.0\\Modules\\", "PUBLIC": "C:\\Users\\Public", "REACT_APP_CHAT_URL": "http://192.168.250.224:80/api/helse", "REACT_APP_GRAPHQL_URL": "http://localhost:5000", "REACT_APP_PROXY_URL": "https://proxy.test.advoca.localhost:4430", "SESSIONNAME": "Console", "SystemDrive": "C:", "SystemRoot": "C:\\WINDOWS", "TEMP": "C:\\Users\\User\\AppData\\Local\\Temp", "TMP": "C:\\Users\\User\\AppData\\Local\\Temp", "TSCONFIG": "C:\\Sites\\adopus-portal\\tsconfig.json", "TSLINT": "", "TSLINTAUTOFIX": "false", "TYPESCRIPT_PATH": "C:\\Sites\\adopus-portal\\node_modules\\typescript\\lib\\typescript.js", "USERDOMAIN": "IGORPC", "USERDOMAIN_ROAMINGPROFILE": "IGORPC", "USERNAME": "User", "USERPROFILE": "C:\\Users\\User", "USE_INCREMENTAL_API": "true", "VBOX_MSI_INSTALL_PATH": "C:\\Program Files\\Oracle\\VirtualBox\\", "VUE": "{\"compiler\":\"vue-template-compiler\",\"enabled\":false}", "WATCH": "", "windir": "C:\\WINDOWS", "WORK_DIVISION": "1", "YARN_WRAP_OUTPUT": "false" }, "sharedObjects": [ "C:\\Program Files\\nodejs\\node.exe", "C:\\WINDOWS\\SYSTEM32\\ntdll.dll", "C:\\WINDOWS\\System32\\KERNEL32.DLL", "C:\\WINDOWS\\System32\\KERNELBASE.dll", "C:\\WINDOWS\\System32\\WS2_32.dll", "C:\\WINDOWS\\System32\\RPCRT4.dll", "C:\\WINDOWS\\SYSTEM32\\dbghelp.dll", "C:\\WINDOWS\\System32\\ADVAPI32.dll", "C:\\WINDOWS\\System32\\ucrtbase.dll", "C:\\WINDOWS\\System32\\msvcrt.dll", "C:\\WINDOWS\\System32\\sechost.dll", "C:\\WINDOWS\\System32\\USER32.dll", "C:\\WINDOWS\\System32\\win32u.dll", "C:\\WINDOWS\\System32\\GDI32.dll", "C:\\WINDOWS\\System32\\gdi32full.dll", "C:\\WINDOWS\\System32\\msvcp_win.dll", "C:\\WINDOWS\\System32\\PSAPI.DLL", "C:\\WINDOWS\\System32\\CRYPT32.dll", "C:\\WINDOWS\\System32\\MSASN1.dll", "C:\\WINDOWS\\SYSTEM32\\IPHLPAPI.DLL", "C:\\WINDOWS\\SYSTEM32\\USERENV.dll", "C:\\WINDOWS\\System32\\profapi.dll", "C:\\WINDOWS\\SYSTEM32\\bcrypt.dll", "C:\\WINDOWS\\SYSTEM32\\WINMM.dll", "C:\\WINDOWS\\SYSTEM32\\winmmbase.dll", "C:\\WINDOWS\\System32\\cfgmgr32.dll", "C:\\WINDOWS\\System32\\IMM32.DLL", "C:\\WINDOWS\\System32\\powrprof.dll", "C:\\WINDOWS\\SYSTEM32\\CRYPTBASE.DLL", "C:\\WINDOWS\\System32\\bcryptPrimitives.dll", "C:\\WINDOWS\\system32\\uxtheme.dll", "C:\\WINDOWS\\System32\\combase.dll", "C:\\WINDOWS\\system32\\mswsock.dll", "C:\\WINDOWS\\System32\\kernel.appcore.dll", "C:\\WINDOWS\\System32\\NSI.dll", "C:\\WINDOWS\\SYSTEM32\\dhcpcsvc6.DLL", "C:\\WINDOWS\\SYSTEM32\\dhcpcsvc.DLL", "C:\\WINDOWS\\system32\\napinsp.dll", "C:\\WINDOWS\\system32\\pnrpnsp.dll", "C:\\WINDOWS\\system32\\NLAapi.dll", "C:\\WINDOWS\\SYSTEM32\\DNSAPI.dll", "C:\\WINDOWS\\System32\\winrnr.dll", "C:\\WINDOWS\\System32\\wshbth.dll" ] } ```
issue: needs investigation,issue: bug report
high
Critical
558,674,803
flutter
[video_player] accept stream as input
## Use case I obtain video data behind protected API (ex google API) and I want to play them in the video player. Sometime I also want to decrypt them if the user chose to encrypt it with his own key for privacy ## Proposal What I think of doing is creating an http server and give local address to the network constructor but it seems like too much overhead and not completely secure. It would be great if we could pipe a stream or even have a kind of callback system to allow fetching of specific range to allow seeking
c: new feature,p: video_player,package,team-ecosystem,P3,triaged-ecosystem
low
Major
558,692,642
go
runtime: async preemption support on ARM64 breaks ARM64 on QEMU
<!-- Please answer these questions before submitting your issue. Thanks! For questions please use one of our forums: https://github.com/golang/go/wiki/Questions --> The change in 1b0b9809046c1862f8ea0240fe016e516c67676f breaks QEMU support for Go programs, resulting in a variety of crashes ranging from segmentation faults, illegal instructions and scheduler panics (holding locks). This is partially recovered by the change in 73d20f8186a091c8d7e81b621136770981cf8e44 which prevents the crashes, but results in extremely poor performance; processes appear only able to use about 10-15% of a core compared to ~100% prior to 1b0b9809046c1862f8ea0240fe016e516c67676f. ### What version of Go are you using (`go version`)? <pre> $ go version go version devel +1b0b980904 Thu Nov 7 19:18:12 2019 +0000 linux/amd64 </pre> ### Does this issue reproduce with the latest release? No ### What operating system and processor architecture are you using (`go env`)? Natively on amd64/linux, but qemu-user with `GOARCH=arm64`. <details><summary><code>go env</code> Output</summary><br><pre> $ go env GO111MODULE="on" GOARCH="arm64" GOBIN="/home/user/bin" GOCACHE="/home/user/.cache/go-build" GOENV="/home/user/.config/go/env" GOEXE="" GOFLAGS="" GOHOSTARCH="amd64" GOHOSTOS="linux" GONOPROXY="" GONOSUMDB="" GOOS="linux" GOPATH="/home/user" GOPRIVATE="" GOPROXY="https://proxy.golang.org,direct" GOROOT="/home/user/go" GOSUMDB="sum.golang.org" GOTMPDIR="" GOTOOLDIR="/home/user/go/pkg/tool/linux_amd64" GCCGO="gccgo" AR="ar" CC="gcc" CXX="g++" CGO_ENABLED="0" GOMOD="/dev/null" CGO_CFLAGS="-g -O2" CGO_CPPFLAGS="" CGO_CXXFLAGS="-g -O2" CGO_FFLAGS="-g -O2" CGO_LDFLAGS="-g -O2" PKG_CONFIG="pkg-config" GOGCCFLAGS="-fPIC -fmessage-length=0 -fdebug-prefix-map=/tmp/go-build167327579=/tmp/go-build -gno-record-gcc-switches" ~ $ lsb_release -d Description: Ubuntu 18.04.3 LTS ~ $ dpkg -l qemu-user qemu-system-common qemu-system-arm Desired=Unknown/Install/Remove/Purge/Hold | Status=Not/Inst/Conf-files/Unpacked/halF-conf/Half-inst/trig-aWait/Trig-pend |/ Err?=(none)/Reinst-required (Status,Err: uppercase=bad) ||/ Name Version Architecture Description +++-=============================-===================-===================-=============================================================== ii qemu-system-arm 1:2.11+dfsg-1ubuntu amd64 QEMU full system emulation binaries (arm) ii qemu-system-common 1:2.11+dfsg-1ubuntu amd64 QEMU full system emulation binaries (common files) ii qemu-user 1:2.11+dfsg-1ubuntu amd64 QEMU user mode emulation binaries </pre></details> ### What did you do? <!-- If possible, provide a recipe for reproducing the error. A complete runnable program is good. A link on play.golang.org is best. --> In a checkout of gonum.org/v1/gonum/lapack/gonum, run `GOARCH=arm64 go test -run Dgeev` I have tried to make a smaller reproducer, but have not managed yet. ### What did you expect to see? Other expected package failures. ### What did you see instead? A variety of crashes.
help wanted,NeedsInvestigation
low
Critical
558,696,813
godot
iOS GLES2 Material with VideoRam texture leeds to black screen
**Godot version:** 3.1.2 stable **OS/device including version:** iPhone 6s, iOS 13.3.1 **Issue description:** When you have a scene with a material, that uses a texture which is imported in Video Ram mode, the game does not render the scene and shows only a black screen. **Steps to reproduce:** - Create a GLES2 scene with a mesh - Assign a material to the mesh - Set an png as the texture with was imported in mode "Video Ram" **Minimal reproduction project:** [ioSGLES2.zip](https://github.com/godotengine/godot/files/4144216/ioSGLES2.zip)
bug,platform:ios,topic:rendering,topic:3d
low
Major
558,699,408
pytorch
from torch._C import * (ImportError: DLL load failed)
## πŸ› Bug Bad import error handling By rising this issue my target not to get it to work "somehow" But to improve the error handling giving to the people an opportunity to understand what went wrong. I seen A LOT of such issues through the internet where solution was to reinstall totally different components to make it work and even downgrade the product which is totally NOT acceptable in today's world. Other suggestion is to change packaging system which is not relate to the issue but worked for some people. For some people adding some Cuda libs into some unpredictable place works ## To Reproduce Steps to reproduce the behavior: 1. pip install torch===1.4.0 torchvision===0.5.0 -f https://download.pytorch.org/whl/torch_stable.html 2. python 3. help() 4. modules torch Here is a list of modules whose name or summary contains 'torch'. If there are any, enter a module name to get more help. <generator object walk_packages at 0x000002AA581F4A48> <generator object walk_packages at 0x000002AA581F4AC8> torch - The torch package contains data structures for multi-dimensional <generator object walk_packages at 0x000002AA581F4AC8> torchfile - Mostly direct port of the Lua and C serialization implementation to torchvision <generator object walk_packages at 0x000002AA581F4AC8> 5. quit 6. >>> import torch <generator object walk_packages at 0x000002AA54151CC8> Traceback (most recent call last): File "<stdin>", line 1, in <module> File "C:\Users\Asus\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.7_qbz5n2kfra8p0\LocalCache\local-packages\Python37\site-packages\torch\__init__.py", line 86, in <module> from torch._C import * ImportError: DLL load failed: Module not found. 7. add print(_dl_flags.environ['PATH']) into __init__ show me many paths including C:\Users\Asus\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.7_qbz5n2kfra8p0\LocalCache\local-packages\Python37\site-packages\torch\lib; this is the place where torch.dll is So it definitely sees the torch but which DLL it wants to load? running python with -v key did not help. <!-- If you have a code sample, error messages, stack traces, please provide it here as well --> ## Expected behavior Expected: -(min ) error contains what file it was looking for. So one should be able to find this in their system and fix the path OR not to find it in the system and add it into it. -(max) user friendly and at the same time useful error description <!-- A clear and concise description of what you expected to happen. --> ## Environment ``` C:\Users\Asus\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.7_qbz5n2kfra8p0\LocalCache\local-packages\Python37\site-packages\torch\lib;C:\Program Files\WindowsApps\PythonSoftwareFoundation.Python.3.7_3.7.1776.0_x64__qbz5n2kfra8p0\Library\bin;C:\Program Files\NVIDIA Corporation\NvToolsExt\bin\x64;C:\Program Files\NVIDIA GPU Computing Toolkit\CUDA\v10.2\bin;C:\Program Files\NVIDIA GPU Computing Toolkit\CUDA\v10.2\libnvvp;C:\Program Files (x86)\Common Files\Oracle\Java\javapath;C:\ProgramData\Oracle\Java\javapath;C:\Program Files (x86)\Intel\iCLS Client\;C:\Program Files\Intel\iCLS Client\;C:\WINDOWS\system32;C:\WINDOWS;C:\WINDOWS\System32\Wbem;C:\WINDOWS\System32\WindowsPowerShell\v1.0\;C:\Program Files\Intel\Intel(R) Management Engine Components\DAL;C:\Program Files\Intel\Intel(R) Management Engine Components\IPT;C:\Program Files (x86)\Intel\Intel(R) Management Engine Components\DAL;C:\Program Files (x86)\Intel\Intel(R) Management Engine Components\IPT;C:\Program Files (x86)\Windows Live\Shared;d:\php\;C:\Program Files\nodejs\;C:\ProgramData\ComposerSetup\bin;C:\Program Files\Git\cmd;C:\Program Files (x86)\NVIDIA Corporation\PhysX\Common;C:\WINDOWS\system32;C:\WINDOWS;C:\WINDOWS\System32\Wbem;C:\WINDOWS\System32\WindowsPowerShell\v1.0\;C:\WINDOWS\System32\OpenSSH\;C:\Program Files (x86)\Windows Kits\10\Windows Performance Toolkit\;C:\Program Files\dotnet\;C:\Program Files\TortoiseGit\bin;C:\Program Files\NVIDIA Corporation\Nsight Compute 2019.5.0\;c:\users\asus\appdata\local\packages\pythonsoftwarefoundation.python.3.7_qbz5n2kfra8p0\localcache\local-packages\python37\site-packages;C:\Program Files\NVIDIA GPU Computing Toolkit\CUDA\v10.2\bin;C:\Users\Asus\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.7_qbz5n2kfra8p0\LocalCache\local-packages\Python37\site-packages\torch\lib;C:\Program Files\NVIDIA GPU Computing Toolkit\CUDA\v10.2\lib\x64;C:\Users\Asus\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.7_qbz5n2kfra8p0\LocalCache\local-packages\Python37\site-packages\torch\lib;C:\Users\Asus\AppData\Roaming\npm;C:\Users\Asus\AppData\Local\Microsoft\WindowsApps;C:\Users\Asus\AppData\Roaming\Composer\vendor\bin;C:\Users\Asus\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.7_qbz5n2kfra8p0\LocalCache\local-packages\Python37\Scripts;c:\users\asus\appdata\local\packages\pythonsoftwarefoundation.python.3.7_qbz5n2kfra8p0\localcache\local-packages\python37\site-packages;C:\Program Files\NVIDIA GPU Computing Toolkit\CUDA\v10.2\bin;C:\Users\Asus\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.7_qbz5n2kfra8p0\LocalCache\local-packages\Python37\site-packages\torch\lib;C:\Program Files\NVIDIA GPU Computing Toolkit\CUDA\v10.2\lib\x64;C:\Users\Asus\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.7_qbz5n2kfra8p0\LocalCache\local-packages\Python37\site-packages\torch\lib;;C:\Users\Asus\AppData\Local\Packages\PythonSoftwareFoundation.Python.3.7_qbz5n2kfra8p0\LocalCache\local-packages\Python37\site-packages\numpy\.libs <generator object walk_packages at 0x000002517FB64648> Collecting environment information... PyTorch version: N/A Is debug build: N/A CUDA used to build PyTorch: N/A OS: Microsoft Windows 10 Home Single Language GCC version: Could not collect CMake version: Could not collect Python version: 3.7 Is CUDA available: N/A CUDA runtime version: 10.2.89 GPU models and configuration: GPU 0: GeForce GTX 850M Nvidia driver version: 441.22 cuDNN version: Could not collect Versions of relevant libraries: [pip3] numpy==1.18.1 [pip3] torch==1.4.0 [pip3] torchfile==0.1.0 [pip3] torchvision==0.5.0 [conda] Could not collect ## Additional context <!-- Add any other context about the problem here. --> Thanks!
triaged
medium
Critical
558,709,516
flutter
[CircularNotchedRectangle] Add option for convex shape.
## Use case A convex shape is an alternative to the current fixed concave circular notch shape. It's just an inverted notch. For example if you have an non-extended body and a `BottomAppBar` with the notch shape. The body have a image or map as background. Not you see that the body ends on the bottom app bar. Because the background (e.g. white)is shining through the notch. Now we have to options: 1. Extend the body by setting the attribute `extendBody` of `Scaffold`. 2. Use an inverted notch. (this proposal) Just another shape. Or an option to the existing shape. ## Proposal It's really simple to invert the notch. 1. Add a boolean option `convex` to the class `CircularNotchedRectangle` in package `flutter/../notched_shape.dart`. ```dart //class CircularNotchedRectangle extends NotchedShape { final bool convex; const CircularNotchedRectangle({this.convex = false}); //} ``` 2. Change some code (only 3 lines) to invert the path if the convex option is set: ```dart //class CircularNotchedRectangle extends NotchedShape { //@override //Path getOuterPath(Rect host, Rect guest) { final double p2yA = math.sqrt(r * r - p2xA * p2xA) * (convex ? -1 : 1); final double p2yB = math.sqrt(r * r - p2xB * p2xB) * (convex ? -1 : 1); //return Path() //.. clockwise: convex, //.. //) //} //} ``` The question is: Do you want options here? If not you have to clone this shape. I prefer the option way. No duplicated code and easy to understand. [See current source code](https://github.com/flutter/flutter/blob/v1.14.6/packages/flutter/lib/src/painting/notched_shapes.dart) **Default notch shape (concave) without body extended.** ![concave notch and not extended body](https://user-images.githubusercontent.com/28209992/73610331-4ddf0200-45d6-11ea-8486-570874d8d871.jpg) **Default notch shape (concave) with body extended.** ![concave notch and extended body](https://user-images.githubusercontent.com/28209992/73610341-5f280e80-45d6-11ea-89ea-3e3046c1dbc7.jpg) **New optional notch shape (convex) without body extended.** ![convex notch and not extended body](https://user-images.githubusercontent.com/28209992/73610353-6f3fee00-45d6-11ea-82f9-6f128901971f.jpg)
framework,c: proposal,P3,team-framework,triaged-framework
low
Minor
558,709,988
neovim
clipboard: clipboard=unnamed is slow
probably related to #10993 - Nvim version: `NVIM v0.3.8` - Operating system/version: ubuntu 19.10 - Terminal name/version: ``` $ cat .bashrc $ vim -u NONE ``` behaves perfect. Fresh install of neovim, vim all settings gone but setting. ``` $ cat .init.vim $ set clipboard=unnamed $ set clipboard=+unnamedplus ``` ### Actual behaviour NeoVim becomes extremely slow when deleting and undoing. Should be able to see the difference when deleting characters fast with `x` ### Expected behaviour Fast deletes. For now I have settled with copy/pasting using the registry but would love to use the systemclipboard instead.
enhancement,performance,clipboard,has:plan
low
Major
558,727,691
excalidraw
If the main mouse button is being held and visibilitychange is triggered, perform the corresponding onMouseUp action.
- Create/resize/move an element or drag a scrollbar, and without releasing the mouse button, switch to another tab or window and release the mouse button. - Return to the excalidraw tab. - We are still in the mousemove created at a mousedown event even though the mouse button has been released. edit: ![screen](https://user-images.githubusercontent.com/53315888/73616003-72ef6700-460e-11ea-93fb-a414710d3cb2.gif)
bug
low
Major
558,728,163
pytorch
Interpolate in the β€œbicubic” mode with the same shape outputs zeros from second sample onwards
## πŸ› Bug When using torch.nn.functional.interpolate with "bicubic" mode and target resolution similar to the input 4D tensor, the output tensor has zeros everywhere starting from the second sample. ## To Reproduce ``` >>> import torch >>> tmp = torch.arange(2*3*3*4).reshape(2,3,3,4).float() >>> tmp tensor([[[[ 0., 1., 2., 3.], [ 4., 5., 6., 7.], [ 8., 9., 10., 11.]], [[12., 13., 14., 15.], [16., 17., 18., 19.], [20., 21., 22., 23.]], [[24., 25., 26., 27.], [28., 29., 30., 31.], [32., 33., 34., 35.]]], [[[36., 37., 38., 39.], [40., 41., 42., 43.], [44., 45., 46., 47.]], [[48., 49., 50., 51.], [52., 53., 54., 55.], [56., 57., 58., 59.]], [[60., 61., 62., 63.], [64., 65., 66., 67.], [68., 69., 70., 71.]]]]) >>> torch.nn.functional.interpolate(tmp, (3, 4), mode="bicubic") tensor([[[[ 0., 1., 2., 3.], [ 4., 5., 6., 7.], [ 8., 9., 10., 11.]], [[12., 13., 14., 15.], [16., 17., 18., 19.], [20., 21., 22., 23.]], [[24., 25., 26., 27.], [28., 29., 30., 31.], [32., 33., 34., 35.]]], [[[ 0., 0., 0., 0.], [ 0., 0., 0., 0.], [ 0., 0., 0., 0.]], [[ 0., 0., 0., 0.], [ 0., 0., 0., 0.], [ 0., 0., 0., 0.]], [[ 0., 0., 0., 0.], [ 0., 0., 0., 0.], [ 0., 0., 0., 0.]]]]) ``` ## Expected behavior ``` >>> torch.nn.functional.interpolate(tmp, (3, 4), mode="bicubic")` tensor([[[[ 0., 1., 2., 3.], [ 4., 5., 6., 7.], [ 8., 9., 10., 11.]], [[12., 13., 14., 15.], [16., 17., 18., 19.], [20., 21., 22., 23.]], [[24., 25., 26., 27.], [28., 29., 30., 31.], [32., 33., 34., 35.]]], [[[36., 37., 38., 39.], [40., 41., 42., 43.], [44., 45., 46., 47.]], [[48., 49., 50., 51.], [52., 53., 54., 55.], [56., 57., 58., 59.]], [[60., 61., 62., 63.], [64., 65., 66., 67.], [68., 69., 70., 71.]]]]) ``` ## Environment PyTorch version: 1.4.0 Is debug build: No CUDA used to build PyTorch: 10.1 OS: CentOS Linux 7 (Core) GCC version: (GCC) 4.8.5 20150623 (Red Hat 4.8.5-36) CMake version: version 2.8.12.2 Python version: 3.7 Is CUDA available: No CUDA runtime version: Could not collect GPU models and configuration: GPU 0: Tesla V100-PCIE-16GB GPU 1: Tesla V100-PCIE-16GB GPU 2: Tesla V100-PCIE-16GB Nvidia driver version: 410.48 cuDNN version: Could not collect Versions of relevant libraries: [pip] numpy==1.17.2 [pip] numpydoc==0.9.1 [pip] torch==1.4.0 [pip] torchvision==0.5.0 [conda] _tflow_select 2.3.0 mkl [conda] blas 1.0 mkl [conda] mkl 2019.4 243 [conda] mkl-service 2.3.0 py37he904b0f_0 [conda] mkl_fft 1.0.14 py37ha843d7b_0 [conda] mkl_random 1.1.0 py37hd6b4f25_0 [conda] pytorch 1.4.0 py3.7_cuda10.1.243_cudnn7.6.3_0 pytorch [conda] tensorflow 2.0.0 mkl_py37h66b46cc_0 [conda] tensorflow-base 2.0.0 mkl_py37h9204916_0 [conda] torchvision 0.5.0 py37_cu101 pytorch cc @ezyang @gchanan @zou3519
high priority,triaged
low
Critical
558,729,808
godot
GDScript parse error for const inside functions
**Godot version:** Godot 3.2 **OS/device including version:** Arch Linux, x86_64 **Issue description:** Constant declarations aren't being allowed inside functions. I feel like we should be encouraging people to use immutable data where possible and this is preventing that. What you see is the `misplaced: const` error in the script editor. This seems similar to #8315 with the difference being that one was in script/file scope, not function scope. **Steps to reproduce:** Define a const in any function. ![gdscript-func-const-bug](https://user-images.githubusercontent.com/223001/73612196-8fac8000-45b7-11ea-893c-4e77a53e17c2.png)
enhancement,topic:gdscript,topic:editor
low
Critical
558,744,213
youtube-dl
Add tvark.org
<!-- ###################################################################### WARNING! IGNORING THE FOLLOWING TEMPLATE WILL RESULT IN ISSUE CLOSED AS INCOMPLETE ###################################################################### --> ## Checklist <!-- Carefully read and work through this check list in order to prevent the most common mistakes and misuse of youtube-dl: - First of, make sure you are using the latest version of youtube-dl. Run `youtube-dl --version` and ensure your version is 2020.01.24. If it's not, see https://yt-dl.org/update on how to update. Issues with outdated version will be REJECTED. - Make sure that all provided video/audio/playlist URLs (if any) are alive and playable in a browser. - Make sure that site you are requesting is not dedicated to copyright infringement, see https://yt-dl.org/copyright-infringement. youtube-dl does not support such sites. In order for site support request to be accepted all provided example URLs should not violate any copyrights. - Search the bugtracker for similar site support requests: http://yt-dl.org/search-issues. DO NOT post duplicates. - Finally, put x into all relevant boxes (like this [x]) --> - [x] I'm reporting a new site support request - [x] I've verified that I'm running youtube-dl version **2020.01.24** - [x] I've checked that all provided URLs are alive and playable in a browser - [x] I've checked that none of provided URLs violate any copyrights - [x] I've searched the bugtracker for similar site support requests including closed ones ## Example URLs <!-- Provide all kinds of example URLs support for which should be included. Replace following example URLs by yours. --> - Single video: https://www.tvark.org/?page=media&mediaid=15458 - Single video: https://www.tvark.org/?page=media&mediaid=70594 - Single video: https://www.tvark.org/?page=media&mediaid=121802 ## Description <!-- Provide any additional information. If work on your issue requires account credentials please provide them or explain how one can obtain them. --> Recently relaunched website with archival material of the history of (mainly) british television.
site-support-request
low
Critical
558,755,586
rust
Optimize SpecializedDecoder<Span> and SpecializedEncoder<Span> for CacheDecoder
ERROR: type should be string, got "https://github.com/rust-lang/rust/blob/175631311716d7dfeceec40d2587cde7142ffa8c/src/librustc/ty/query/on_disk_cache.rs#L567\r\n\r\nhttps://github.com/rust-lang/rust/blob/175631311716d7dfeceec40d2587cde7142ffa8c/src/librustc/ty/query/on_disk_cache.rs#L780\r\n\r\nThey each account for about 2.5% of a clean incremental build of libcore.\r\n\r\nI don't know how hard it would be to optimize them, but because they are hot, I think it is worth giving it a try."
C-enhancement,I-compiletime,T-compiler,A-incr-comp
low
Minor
558,772,018
rust
Diagnostic for E0596 points at the wrong borrow?
I was writing the following function but forgot to put `.as_mut_slice()` rather than `.as_slice()`: ```rust fn find_closest(input: &str, options: &Vec<&str>) { let mut distances: Vec<_> = options .iter() .map(|_| ("a", 1.)) // actual code removed but types are the same .collect(); distances .as_slice() .sort_unstable_by(|a, b| a.1.partial_cmp(&b.1).unwrap()); } ``` This produced a `E0596`, with a message that I had trouble with as someone new to Rust: ``` error[E0596]: cannot borrow data in a `&` reference as mutable --> src\app.rs:18:5 | 18 | / distances 19 | | .as_slice() | |___________________^ cannot borrow as mutable error: aborting due to previous error ``` When trying to figure out what the compiler was taking issue with, I thought that it meant that it wanted the elements in the Vec to be themselves mutable, which didn't make any sense to me. I think the diagnostic is referring to the borrow done by the `.sort_unstable_by(F)`, but it is not pointing at it and the current message can be misread as meaning that the `.as_slice()` is borrowing something improperly itself, which it is not. The diagnostic would be more helpful if it was something like this: ``` error[E0596]: cannot borrow data in a `&` reference as mutable --> src\app.rs:18:5 | 18 | / distances 19 | | .as_slice() 20 | | .sort_unstable_by(|a, b| a.1.partial_cmp(&b.1).unwrap()); | |_____________^ sort_unstable_by cannot borrow &self as mutable error: aborting due to previous error ``` ``` rustc --version rustc 1.42.0-nightly (212b2c7da 2020-01-30) ```
C-enhancement,A-diagnostics,A-borrow-checker,T-compiler
low
Critical
558,777,711
TypeScript
Make codefix for implementing interfaces work with @implements
<!-- List of keywords you searched for before creating this issue. Write them down here so that others can find this suggestion more easily --> ## Suggestion Expand code fix `ClassIncorrectlyImplementsInterface` to also work in js when using the `@implements` jsDoc tag. Related: #36292 CC: @sandersn
Suggestion,Awaiting More Feedback
low
Minor
558,780,258
flutter
Keyboard flashes briefly when dismissing multiple dialogs at once
```dart import 'package:flutter/material.dart'; void main() => runApp(MyApp()); class MyApp extends StatelessWidget { @override Widget build(BuildContext context) { return MaterialApp( title: 'Flutter Demo', home: MyHomePage(), ); } } class MyHomePage extends StatefulWidget { MyHomePage({Key key}) : super(key: key); @override _MyHomePageState createState() => _MyHomePageState(); } class _MyHomePageState extends State<MyHomePage> { @override Widget build(BuildContext context) { return Scaffold( body: Center( child: FlatButton( child: Text('TAP TO TEST (1/3)'), onPressed: () { showDialog<void>( context: context, builder: (BuildContext context) { return AlertDialog( content: Column( mainAxisSize: MainAxisSize.min, children: <Widget>[ Padding( padding: const EdgeInsets.all(20.0), child: TextField( autofocus: true, decoration: InputDecoration( labelText: 'Text field', ), ), ), ], ), actions: <Widget>[ FlatButton( child: Text('TAP TO TEST (2/3)'), onPressed: () { showDialog<void>( context: context, builder: (BuildContext context) { return AlertDialog( content: Text('The keyboard is no longer visible. When you dismiss this, no keyboard should appear.'), actions: <Widget>[ FlatButton( child: Text('TAP TO TEST (3/3)'), onPressed: () { Navigator.pop(context); Navigator.pop(context); }, ), ], ); }, ); }, ), ], ); }, ); }, ), ), ); } } ``` cc @gspencergoog
a: text input,framework,a: quality,f: focus,has reproducible steps,P2,found in release: 3.3,found in release: 3.5,team-framework,triaged-framework
low
Minor
558,786,660
pytorch
Torchscript used to work, but now it fails with VariableTensorId error
## πŸ› Bug When I export torchvision's resnet18 to torchscript and run it on Android using the `speed_benchmark_torch` binary, it fails with the following error: ``` terminating with uncaught exception of type c10::Error: Could not run 'aten::empty.memory_format' with arguments from the 'VariableTensorId' backend. 'aten::empty.memory_format' is only available for these backends: [SparseCPUTensorId, CPUTensorId, MkldnnCPUTensorId]. (dispatch_ at ../aten/src/ATen/core/dispatch/Dispatcher.h:257) (no backtrace available) Aborted ``` ## History For a while, I was using on hash b05d0fa67144d5af0545a333d5792c2e3946b8c5, which was committed to the master branch of pytorch in Oct 2019. I was working with Torchscript models on Android, and things were working fairly well. Then, I updated to the latest code tag `v1.4.0`, specifically hash 7f73f1d591afba823daa4a99a939217fb54d7688. After that, the following issue emerged. ## To Reproduce ### Model ``` #python import torch import torchvision model = torchvision.models.resnet18(pretrained=True) model.eval() example = torch.rand(1, 3, 224, 224) traced_script_module = torch.jit.trace(model, example) traced_script_module.save("resnet18.pt") ``` And, put the model onto the android phone (Pixel 3): ``` #!/bin/bash adb push resnet18.pt /data/local/tmp/pt/ ``` ### Binary ``` cd pytorch export ANDROID_DEBUG_SYMBOLS=1 ANDROID_ABI=arm64-v8a export ANDROID_NDK=/path/to/Android/Sdk/ndk/21.0.6113669/ ./scripts/build_android.sh \ -DBUILD_BINARY=ON \ -DBUILD_CAFFE2_MOBILE=OFF \ -DCMAKE_PREFIX_PATH=$(python -c 'from distutils.sysconfig import get_python_lib; print(get_python_lib())') \ -DPYTHON_EXECUTABLE=$(python -c 'import sys; print(sys.executable)') # compiles build_android/bin/speed_benchmark_torch adb push build_android/bin/speed_benchmark_torch /data/local/tmp/pt/ ``` ### Running the model ``` adb shell /data/local/tmp/pt/speed_benchmark_torch --model =/data/local/tmp/pt/resnet18.pt --input_dims="1,3,224,224" --input_type=float --warmup=5 --iter=20 ``` ## Expected behavior On the older hash (b05d0fa67144d5af0545a333d5792c2e3946b8c5), the above would print after running the `adb shell ... speed_benchmark_torch ...` command: ``` Starting benchmark. Running warmup runs. Main runs. Main run finished. Milliseconds per iter: 188.382. Iters per second: 5.30836 ``` However, on the current `v1.4.0` tag's hash (7f73f1d591afba823daa4a99a939217fb54d7688), it fails with the following error: ``` terminating with uncaught exception of type c10::Error: Could not run 'aten::empty.memory_format' with arguments from the 'VariableTensorId' backend. 'aten::empty.memory_format' is only available for these backends: [SparseCPUTensorId, CPUTensorId, MkldnnCPUTensorId]. (dispatch_ at ../aten/src/ATen/core/dispatch/Dispatcher.h:257) (no backtrace available) Aborted ``` I'm not too clear on what a `VariableTensorId` is, so I'm not quite sure what's going on. ## Environment Please copy and paste the output from our [environment collection script](https://raw.githubusercontent.com/pytorch/pytorch/master/torch/utils/collect_env.py) (or fill out the checklist below manually). You can get the script and run it with: ``` Collecting environment information... PyTorch version: 1.4.0 Is debug build: No CUDA used to build PyTorch: 10.1 OS: Ubuntu 18.04.3 LTS GCC version: (Ubuntu 7.4.0-1ubuntu1~18.04.1) 7.4.0 CMake version: version 3.10.2 Python version: 3.8 Is CUDA available: Yes CUDA runtime version: Could not collect GPU models and configuration: GPU 0: TITAN V GPU 1: TITAN V GPU 2: TITAN V Nvidia driver version: 430.50 cuDNN version: /usr/local/cuda-10.1/targets/x86_64-linux/lib/libcudnn.so.7 Versions of relevant libraries: [pip] numpy==1.18.1 [pip] torch==1.4.0 [pip] torchvision==0.5.0 [conda] blas 1.0 mkl [conda] mkl 2019.4 243 [conda] mkl-service 2.3.0 py38he904b0f_0 [conda] mkl_fft 1.0.15 py38ha843d7b_0 [conda] mkl_random 1.1.0 py38h962f231_0 [conda] pytorch 1.4.0 py3.8_cuda10.1.243_cudnn7.6.3_0 pytorch [conda] torchvision 0.5.0 py38_cu101 pytorch ``` cc @suo
oncall: jit,triaged,module: android,oncall: mobile
low
Critical
558,795,667
godot
Objects changing global position after changing parents
**Godot version:** 3.2 Stable Official (Steam) **OS/device including version:** Linux **Issue description:** Freshly imported scene objects change transition when changing parents. For some reason stops happening after some time (maybe after scene save?) **Steps to reproduce:** Import dae scene with multiple meshes. Change object hiearchy. **Minimal reproduction project:** Made a video. Issue happens at 29th second [import issues.zip](https://github.com/godotengine/godot/files/4145879/import.issues.zip)
bug,topic:editor
low
Minor
558,806,911
pytorch
Connect timeout feature do not work in DDP with TCPStore
## Issue description The timeout setting in the function init_process_group in DDP don not work. I found that after release v1.3.0, the TCPStore initilizaiton function will can connect the server with timeout, but the timeout value is actually set after the TCPStore initialization function. init_process_group -> TCPStore()-> set timeout This mean the first connect will always use the default timeout (300 seconds). in v1.2.0, such call stack will be fine since the first connect in initialization will call with no timeout. // Connect to the daemon storeSocket_ = tcputil::connect(tcpStoreAddr_, tcpStorePort_); after v.1.3.0, the first connect will be storeSocket_ = tcputil::connect(tcpStoreAddr_, tcpStorePort_, /* wait= */ true, **timeout_**); which will result in the bug. my suggestion is that we can connect to server without timeout like v1.2.0 for the first call. ## Code example Please try to provide a minimal example to repro the bug. Error messages and stack traces are also helpful. ## System Info Please copy and paste the output from our [environment collection script](https://raw.githubusercontent.com/pytorch/pytorch/master/torch/utils/collect_env.py) (or fill out the checklist below manually). You can get the script and run it with: ``` wget https://raw.githubusercontent.com/pytorch/pytorch/master/torch/utils/collect_env.py # For security purposes, please check the contents of collect_env.py before running it. python collect_env.py ``` - PyTorch or Caffe2: - How you installed PyTorch (conda, pip, source): - Build command you used (if compiling from source): - OS: - PyTorch version: - Python version: - CUDA/cuDNN version: - GPU models and configuration: - GCC version (if compiling from source): - CMake version: - Versions of any other relevant libraries: cc @pietern @mrshenli @pritamdamania87 @zhaojuanmao @satgera @rohan-varma @gqchen @aazzolini @xush6528 @osalpekar
oncall: distributed,triaged
low
Critical
558,849,078
neovim
lazyredraw causes cursor to jump to statusline or commandline
- `nvim --version`: v0.5.0-349-g486fa2189 (although I've had reports for 0.4.x) - `vim -u DEFAULTS` (version: ) behaves differently? only happens if and only if lazyredraw is set - Operating system/version: Windows 10 - Terminal name/version: Neovide (pretty sure this happens for any UI) - `$TERM`: ### Steps to reproduce using `nvim -u NORC` ``` nvim -u NORC run in neovide or similar animated cursor ui (fvim for instance) to make it extra visible however the cursor flickers in more standard uis indicating the problem : set lazyredraw open a file and move around causing status line values to change. Observe that the cursor often flickers to the changed values and then back or even stays on the statusline ``` ### Actual behaviour Cursor often moves to the statusline or commandline. This PR https://github.com/neovim/neovim/pull/6374 seems to indicate that the common thread is that the cursor is moved to the location that was draw last rather than the logical location for the cursor to be. ### Expected behaviour Cursor movement should be unaffected by the setting of lazyredraw Downstream source issue can be found here: https://github.com/Kethku/neovide/issues/98
bug,api,ui,channels-rpc,has:plan,ui-extensibility
low
Minor
558,870,411
godot
Heavy CPU load while downloading export templates
**Godot version:** 3.2 stable **OS/device including version:** ```shell $ lsb_release -a No LSB modules are available. Distributor ID: Ubuntu Description: Pop!_OS 19.10 Release: 19.10 Codename: eoan ``` **Issue description:** The export template download page seems to be very demanding ![image](https://user-images.githubusercontent.com/3187637/73630147-896ce100-4655-11ea-88c9-4db50f41d5c8.png) ![Screenshot from 2020-02-03 07-18-31](https://user-images.githubusercontent.com/3187637/73630201-b15c4480-4655-11ea-9e37-4c771f9c2bbb.png)
bug,topic:editor,confirmed,topic:network,performance
medium
Major
558,929,476
storybook
CSF: Add global `includeStories`/`excludeStories` configuration
Currently it's possible to specify `includeStories`/`includeStories` at the component level in CSF, but not globally. Options: - main.js default export fields - preview.js default export fields
feature request,csf,configuration
medium
Major
558,932,682
flutter
[camera] Stretched preview while video is recording
I'm using latest version of camera plugin (v 0.5.7+3). When I start video recording, the preview becomes stretched. See the attached gif below Device - Samsung A5 (SM-A500F). Android 6.0.1 ![ezgif com-video-to-gif (1)](https://user-images.githubusercontent.com/3222305/73638085-e8e9e180-4693-11ea-924d-2529cdb5fd8b.gif)
customer: crowd,p: camera,package,team-ecosystem,P2,triaged-ecosystem
low
Major
558,940,427
godot
Should we allow recursive referencing in Dictionary/Array ?
While working on a new equal operator for Array and Dictionary (see #35816), I've encountered crash when dealing with recursive containers. Example running with Godot 3.2: ```gdscript var key_recursive_d_1 = {1: 1} var key_recursive_d_2 = {1: 1} key_recursive_d_1[key_recursive_d_2] = 1 key_recursive_d_2[key_recursive_d_1] = 1 # BUG !!!! This segfaults here ! print("key_recursive_d_1 == key_recursive_d_2 ==> ", key_recursive_d_1 == key_recursive_d_2) ``` Another with hash: ```gdscript var d = {} d[1] = d # BUG !!!! This segfaults here ! print("d.hash() ==> ", d.hash()) ``` Another with array: ```gdscript var recursive_a_1 = [1] recursive_a_1.append(recursive_a_1) print("recursive: ", recursive_a_1) # BUG !!!! This segfaults here ! print("recursive_a_1 == recursive_a_1 ==> ", recursive_a_1 == recursive_a_1) ``` This lead me to think recursive container are a curiosity that are not well handled but not much people care about them (I couldn't find any issue about that). However correctly handling recursive container is tricky (see my changes to my PR to implement this: 5c214d18c0f78b90a4bbb8a65a81926acabb9681, and I'm not really sure this is 100% correct :/) On top of that recursive container end up in memory leaks with Godot (I'm not aware of a cyclic reference detector in Godot)... So my question is "do we really want to support this ?" Or wouldn't be just fine to run recursive reference detection when adding a container to another container, and printing an error if such thing is detected ?
discussion,topic:core
low
Critical
558,989,236
ant-design
Input numbers using the iPhone's Japanese keyboard
- [ ] I have searched the [issues](https://github.com/ant-design/ant-design/issues) of this repository and believe that this is not a duplicate. ### Reproduction link [https://ant.design/components/input-number/](https://ant.design/components/input-number/) ### Steps to reproduce 1. This could be reproduced on any browser on iPhone 2. Switch keyboard to Japanese 3. Type in a random range of numeric characters on Antd InputNumber ### What is expected? It doubles some character we type in, sometimes it double not just one but a group of characters. ### What is actually happening? Unexpected display behavior when type in numbers | Environment | Info | |---|---| | antd | 3.26.5 | | React | 16.12 | | System | iOS | | Browser | any | --- This could also be reproduced on Windows. Step to reproduce: 1. Install Google Japanese Input (link: https://tools.google.com/dlpage/japaneseinput/eula.html ) 2. Go to https://ant.design/components/input-number/ 3. Switch keyboard input to Google Japanese Input 4. Type in a random range of numeric characters on Antd InputNumber <!-- generated by ant-design-issue-helper. DO NOT REMOVE -->
πŸ› Bug,help wanted,Inactive
medium
Major
559,014,651
storybook
Addon docs: Display @deprecated props
For library maintainers using storybook docs to document components props, it's very useful to be able to document deprecated props. We just migrated from styleguidist to storybook and this was nicely managed with styleguidist by parsing "@deprecated" jsdoc comments. Corresponding prop would then be displayed striked through, and bold, making it easy to visualize for end users. **Describe the solution you'd like** Please parse "@deprecated" jsdoc comments and add styles in Props table for them **Describe alternatives you've considered** For now we have filtered deprecated props in the tsDocgenLoaderOptions / propFilter config. So we do not display them, but that's a temporary solution. **EDIT** : We replaced js doc "@deprecated" comments with something like this as a workaround ``` /** * **Deprecated:** Use otherPropName */ ``` **Are you able to assist bring the feature to reality?** I would like to help, but i really don't know where to start. **Additional context** Styleguidist deprecated props display <img width="602" alt="Screenshot 2020-02-03 at 12 14 17" src="https://user-images.githubusercontent.com/186973/73648871-c6999900-467e-11ea-902e-cfbfbbc5eca2.png">
feature request,block: props,block: argstable
medium
Critical
559,039,067
godot
Opacity with line 2d and anti-aliasing on causes visible wireframe/"ghost" lines to appear
Not sure if this is as it supposed to be or not... But might as well try submit a bug to see if it is one. **Godot version:** 3.2 stable **OS/device including version:** Windows 10 1903 **Issue description:** Line 2d shows debug boxes when anti-aliasing is enabled and material is translucent (i.e. 0 < alpha < 1). Example below ![Godot-Line-Bug](https://user-images.githubusercontent.com/41730826/73651260-cd9cc780-46cf-11ea-90a2-9001fa793977.png) **Steps to reproduce:** New project Add Line2d Add some points Set default color alpha to be <1, e.g. 0.5 Make width larger (to better see effect), e.g. 30 - 50 Enable anti-aliasing under 'border'
bug,topic:rendering,confirmed,topic:2d
low
Critical
559,087,268
rust
Large compile times with repetitive trait bound
I am using wundergraph that generate lot of macro code and it seems rustc have hard time resolving code [here](https://github.com/weiznich/wundergraph/blob/8bc544f278e97dcd94ac87b755fe2b60100de18e/wundergraph/src/macros/query.rs#L212-L273) and [here](https://github.com/weiznich/wundergraph/blob/8bc544f278e97dcd94ac87b755fe2b60100de18e/wundergraph/src/macros/mutation.rs#L494-L531) I tried this code: https://github.com/Farkal/test-wundergraph I expected to see this happen: Less than 40sc of compilation on each change Instead, this happened: 40sc or more of compilation ## Meta `rustc --version --verbose`: rustc 1.41.0 (5e1a79984 2020-01-27) binary: rustc commit-hash: 5e1a799842ba6ed4a57e91f7ab9435947482f7d8 commit-date: 2020-01-27 host: x86_64-unknown-linux-gnu release: 1.41.0 LLVM version: 9.0
C-enhancement,A-trait-system,I-compiletime,T-compiler,E-needs-mcve
low
Minor
559,101,681
kubernetes
Discovery should return error if Forbidden
In Kubernetes 1.14, anonymous API discovery has been dropped (the cluster role-binding that enabled it is no longer applied). This means, when using `client-go` for any unauthenticated, non-dynamic/unstructured requests, an HTTP 403 will be the result. However, `client-go` discovery eats HTTP 403 (and also does 404) which effectively means to the caller there was no error. In my case I am seeing something like _can't find Kind{} for Resource{} in Group{}_. I think the culprit is in https://github.com/kubernetes/client-go/blob/master/discovery/discovery_client.go#L164-L177 and https://github.com/kubernetes/client-go/blob/master/discovery/discovery_client.go#L200-L207, which means retro-compatibility is preferred even against versions (1.0?) that are no longer supported. Also, and if my assumption is correct, there are places in this discovery code where retro-compatibility can go away, e.g. https://github.com/kubernetes/client-go/blob/master/discovery/discovery_client.go#L425-L431. Thanks to @ncdc for helping my figure out I was getting a 403 and @lavalamp for suggesting I open an issue because this just doesn't seem right.
kind/bug,priority/important-soon,sig/api-machinery,lifecycle/frozen
medium
Critical
559,107,805
flutter
Floating Action Button "jumps" from a location where it should not appear
<!-- Thank you for using Flutter! If you are looking for support, please check out our documentation or consider asking a question on Stack Overflow: * https://flutter.dev/ * https://api.flutter.dev/ * https://stackoverflow.com/questions/tagged/flutter?sort=frequent If you have found a bug or if our documentation doesn't have an answer to what you're looking for, then fill our the template below. Please read our guide to filing a bug first: https://flutter.dev/docs/resources/bug-reports --> ## Steps to Reproduce <!-- You must include full steps to reproduce so that we can reproduce the problem. --> 1. Run `flutter create bug`. 2. Use the following file for `lib/main.dart`. ```dart import 'package:flutter/material.dart'; void main() => runApp(MyApp()); class MyApp extends StatelessWidget { @override Widget build(BuildContext context) { return MaterialApp( title: 'FAB null test', theme: ThemeData( primarySwatch: Colors.blue, ), home: MyHomePage(), ); } } class MyHomePage extends StatefulWidget { MyHomePage({Key key}) : super(key: key); @override _MyHomePageState createState() => _MyHomePageState(); } class _MyHomePageState extends State<MyHomePage> { bool _hasFAB; @override void initState() { _hasFAB = false; super.initState(); } @override void dispose() { super.dispose(); } Widget build(BuildContext context) { return Scaffold( appBar: AppBar( title: Text('FAB null test'), ), body: Center( child: RaisedButton( child: Text(_hasFAB ? 'Remove FAB' : 'Add FAB'), onPressed: () { setState(() { _hasFAB = ! _hasFAB; }); }, ), ), floatingActionButton: _hasFAB ? FloatingActionButton( onPressed: () {print('add');}, tooltip: 'Increment', child: Icon(Icons.add), ) : null, floatingActionButtonLocation: _hasFAB ? FloatingActionButtonLocation.centerFloat : null, ); } } ``` 3. Run the app. 4. Click on the "Add FAB" button. **Expected results:** <!-- what did you want to see? --> - The FAB should appear directly at the center of the bottom of the window. - There should be no visual change at the lower-right corner. **Actual results:** <!-- what did you see? --> - The FAB will first appear in the lower-right corner for a brief period of time, then disappear, and appear at the center of the bottom of the window. <details> <summary>Logs</summary> <!-- Run your application with `flutter run --verbose` and attach all the log output below between the lines with the backticks. If there is an exception, please see if the error message includes enough information to explain how to solve the issue. --> Personal information has been `<< REMOVED >>` ``` << REMOVED >>-macbookpro:fab3 << REMOVED >>$ flutter run -d macos --verbose [ +27 ms] executing: [/Users/<< REMOVED >>/Documents/f/flutter/] git -c log.showSignature=false log -n 1 --pretty=format:%H [ +39 ms] Exit code 0 from: git -c log.showSignature=false log -n 1 --pretty=format:%H [ ] << REMOVED >> [ ] executing: [/Users/<< REMOVED >>/Documents/f/flutter/] git describe --match v*.*.* --first-parent --long --tags [ +24 ms] Exit code 0 from: git describe --match v*.*.* --first-parent --long --tags [ ] v1.14.6-83-<< REMOVED >> [ +8 ms] executing: [/Users/<< REMOVED >>/Documents/f/flutter/] git rev-parse --abbrev-ref --symbolic @{u} [ +5 ms] Exit code 0 from: git rev-parse --abbrev-ref --symbolic @{u} [ ] origin/master [ ] executing: [/Users/<< REMOVED >>/Documents/f/flutter/] git ls-remote --get-url origin [ +5 ms] Exit code 0 from: git ls-remote --get-url origin [ ] [email protected]:pennzht/flutter.git [ +51 ms] executing: [/Users/<< REMOVED >>/Documents/f/flutter/] git rev-parse --abbrev-ref HEAD [ +6 ms] Exit code 0 from: git rev-parse --abbrev-ref HEAD [ ] master [ +5 ms] executing: sw_vers -productName [ +14 ms] Exit code 0 from: sw_vers -productName [ ] Mac OS X [ ] executing: sw_vers -productVersion [ +15 ms] Exit code 0 from: sw_vers -productVersion [ ] 10.14.6 [ ] executing: sw_vers -buildVersion [ +14 ms] Exit code 0 from: sw_vers -buildVersion [ ] 18G2022 [ +27 ms] Artifact Instance of 'AndroidMavenArtifacts' is not required, skipping update. [ ] Artifact Instance of 'AndroidGenSnapshotArtifacts' is not required, skipping update. [ ] Artifact Instance of 'AndroidInternalBuildArtifacts' is not required, skipping update. [ ] Artifact Instance of 'IOSEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'FlutterWebSdk' is not required, skipping update. [ +2 ms] Artifact Instance of 'WindowsEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'MacOSEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'LinuxEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'LinuxFuchsiaSDKArtifacts' is not required, skipping update. [ ] Artifact Instance of 'MacOSFuchsiaSDKArtifacts' is not required, skipping update. [ ] Artifact Instance of 'FlutterRunnerSDKArtifacts' is not required, skipping update. [ ] Artifact Instance of 'FlutterRunnerDebugSymbols' is not required, skipping update. [ +21 ms] executing: /Users/<< REMOVED >>/Library/Android/sdk/platform-tools/adb devices -l [ +8 ms] Exit code 0 from: /Users/<< REMOVED >>/Library/Android/sdk/platform-tools/adb devices -l [ +5 ms] List of devices attached [ +17 ms] executing: /Users/<< REMOVED >>/Documents/f/flutter/bin/cache/artifacts/libimobiledevice/idevice_id -h [ +47 ms] executing: /usr/bin/xcode-select --print-path [ +11 ms] Exit code 0 from: /usr/bin/xcode-select --print-path [ ] /Applications/Xcode 11.2.1.app/Contents/Developer [ +1 ms] executing: /usr/bin/xcodebuild -version [ +100 ms] Exit code 0 from: /usr/bin/xcodebuild -version [ +2 ms] Xcode 11.2.1 Build version 11B500 [ +3 ms] /usr/bin/xcrun simctl list --json devices [ +120 ms] Artifact Instance of 'AndroidMavenArtifacts' is not required, skipping update. [ ] Artifact Instance of 'AndroidGenSnapshotArtifacts' is not required, skipping update. [ ] Artifact Instance of 'AndroidInternalBuildArtifacts' is not required, skipping update. [ ] Artifact Instance of 'IOSEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'FlutterWebSdk' is not required, skipping update. [ +1 ms] Artifact Instance of 'WindowsEngineArtifacts' is not required, skipping update. [ +1 ms] Artifact Instance of 'LinuxEngineArtifacts' is not required, skipping update. [ ] Artifact Instance of 'LinuxFuchsiaSDKArtifacts' is not required, skipping update. [ ] Artifact Instance of 'MacOSFuchsiaSDKArtifacts' is not required, skipping update. [ ] Artifact Instance of 'FlutterRunnerSDKArtifacts' is not required, skipping update. [ ] Artifact Instance of 'FlutterRunnerDebugSymbols' is not required, skipping update. [ +178 ms] Generating /Users/<< REMOVED >>/Documents/dev/fab3/android/app/src/main/java/io/flutter/plugins/GeneratedPluginRegistrant.java [ +61 ms] Launching lib/main.dart on macOS in debug mode... [ +54 ms] executing: [/Users/<< REMOVED >>/Documents/dev/fab3/macos/] /usr/bin/xcodebuild -list -project Runner.xcodeproj [ +926 ms] Information about project "Runner": Targets: Runner Flutter Assemble Build Configurations: Debug Release Profile If no build configuration is specified and -scheme is not passed then "Release" is used. Schemes: Flutter Assemble Runner [ +2 ms] Building macOS application... [ +2 ms] executing: /usr/bin/env xcrun xcodebuild -workspace /Users/<< REMOVED >>/Documents/dev/fab3/macos/Runner.xcworkspace -configuration Debug -scheme Runner -derivedDataPath /Users/<< REMOVED >>/Documents/dev/fab3/build/macos OBJROOT=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex SYMROOT=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products COMPILER_INDEX_STORE_ENABLE=NO [ +479 ms] User defaults from command line: [ +1 ms] IDEDerivedDataPathOverride = /Users/<< REMOVED >>/Documents/dev/fab3/build/macos [ ] Build settings from command line: [ ] COMPILER_INDEX_STORE_ENABLE = NO [ ] OBJROOT = /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex [ ] SYMROOT = /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products [ +462 ms] note: Using new build system [ +4 ms] note: Planning build [ +87 ms] note: Constructing build description [ +91 ms] PhaseScriptExecution Run\ Script /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter\ Assemble.build/Script-<< REMOVED >>.sh (in target 'Flutter Assemble' from project 'Runner') [ ] cd /Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export ACTION=build [ ] export AD_HOC_CODE_SIGNING_ALLOWED=YES [ ] export ALTERNATE_GROUP=primarygroup [ ] export ALTERNATE_MODE=u+w,go-w,a+rX [ ] export ALTERNATE_OWNER=<< REMOVED >> [ ] 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 APPLY_RULES_IN_COPY_HEADERS=NO [ ] export ARCHS=x86_64 [ ] export ARCHS_STANDARD=x86_64 [ ] export ARCHS_STANDARD_32_64_BIT="x86_64 i386" [ ] export ARCHS_STANDARD_32_BIT=i386 [ ] export ARCHS_STANDARD_64_BIT=x86_64 [ ] export ARCHS_STANDARD_INCLUDING_64_BIT=x86_64 [ ] export AVAILABLE_PLATFORMS="appletvos appletvsimulator iphoneos iphonesimulator macosx watchos watchsimulator" [ ] export BITCODE_GENERATION_MODE=marker [ ] export BUILD_ACTIVE_RESOURCES_ONLY=NO [ ] export BUILD_COMPONENTS="headers build" [ ] export BUILD_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products [ ] export BUILD_LIBRARY_FOR_DISTRIBUTION=NO [ ] export BUILD_ROOT=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products [ ] export BUILD_STYLE= [ ] export BUILD_VARIANTS=normal [ ] export BUILT_PRODUCTS_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug [ ] export CACHE_ROOT=/var/folders/3l/<< REMOVED >>/C/com.apple.DeveloperTools/11.2.1-11B500/Xcode [ ] export CCHROOT=/var/folders/3l/<< REMOVED >>/C/com.apple.DeveloperTools/11.2.1-11B500/Xcode [ ] export CHMOD=/bin/chmod [ ] export CHOWN=/usr/sbin/chown [ ] export CLANG_ANALYZER_NONNULL=YES [ ] export CLANG_ANALYZER_NUMBER_OBJECT_CONVERSION=YES_AGGRESSIVE [ ] export CLANG_CXX_LANGUAGE_STANDARD=gnu++14 [ ] export CLANG_CXX_LIBRARY=libc++ [ ] export CLANG_ENABLE_MODULES=YES [ ] export CLANG_ENABLE_OBJC_ARC=YES [ ] export CLANG_MODULES_BUILD_SESSION_FILE=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/ModuleCache.noindex/Session.modulevalidation [ ] export CLANG_UNDEFINED_BEHAVIOR_SANITIZER_NULLABILITY=YES [ ] 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_DEPRECATED_OBJC_IMPLEMENTATIONS=YES [ ] export CLANG_WARN_DIRECT_OBJC_ISA_USAGE=YES_ERROR [ ] export CLANG_WARN_DOCUMENTATION_COMMENTS=YES [ ] 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_IMPLICIT_RETAIN_SELF=YES [ ] export CLANG_WARN_OBJC_LITERAL_CONVERSION=YES [ ] export CLANG_WARN_OBJC_REPEATED_USE_OF_WEAK=YES [ ] export CLANG_WARN_OBJC_ROOT_CLASS=YES_ERROR [ ] export CLANG_WARN_PRAGMA_PACK=YES [ ] export CLANG_WARN_RANGE_LOOP_ANALYSIS=YES [ ] export CLANG_WARN_STRICT_PROTOTYPES=YES [ ] export CLANG_WARN_SUSPICIOUS_MOVE=YES [ ] export CLANG_WARN_UNGUARDED_AVAILABILITY=YES_AGGRESSIVE [ ] export CLANG_WARN_UNREACHABLE_CODE=YES [ ] export CLANG_WARN__DUPLICATE_METHOD_MATCH=YES [ ] export CLASS_FILE_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/JavaClasses" [ ] export CLEAN_PRECOMPS=YES [ ] export CLONE_HEADERS=NO [ ] export CODESIGNING_FOLDER_PATH=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/ [ ] export CODE_SIGNING_ALLOWED=YES [ ] export CODE_SIGN_IDENTITY=- [ ] export CODE_SIGN_IDENTITY_NO="Apple Development" [ ] export CODE_SIGN_IDENTITY_YES=- [ ] export CODE_SIGN_INJECT_BASE_ENTITLEMENTS=YES [ ] export CODE_SIGN_STYLE=Manual [ ] export COLOR_DIAGNOSTICS=NO [ ] export COMBINE_HIDPI_IMAGES=NO [ ] export COMPILER_INDEX_STORE_ENABLE=NO [ ] export COMPOSITE_SDK_DIRS=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/CompositeSDKs [ ] export COMPRESS_PNG_FILES=NO [ ] export CONFIGURATION=Debug [ ] export CONFIGURATION_BUILD_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug [ ] export CONFIGURATION_TEMP_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug [ ] 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 CP=/bin/cp [ ] export CREATE_INFOPLIST_SECTION_IN_BINARY=NO [ ] export CURRENT_ARCH=undefined_arch [ ] export CURRENT_VARIANT=normal [ ] export DEAD_CODE_STRIPPING=NO [ ] export DEBUGGING_SYMBOLS=YES [ ] export DEBUG_INFORMATION_FORMAT=dwarf [ ] export DEFAULT_COMPILER=com.apple.compilers.llvm.clang.1_0 [ ] export DEFAULT_DEXT_INSTALL_PATH=/System/Library/DriverExtensions [ ] 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=MACOSX_DEPLOYMENT_TARGET [ ] export DEPLOYMENT_TARGET_CLANG_FLAG_NAME=mmacosx-version-min [ ] export DEPLOYMENT_TARGET_LD_ENV_NAME=MACOSX_DEPLOYMENT_TARGET [ ] export DEPLOYMENT_TARGET_LD_FLAG_NAME=macosx_version_min [ ] export DEPLOYMENT_TARGET_SETTING_NAME=MACOSX_DEPLOYMENT_TARGET [ ] export DEPLOYMENT_TARGET_SUGGESTED_VALUES="10.6 10.7 10.8 10.9 10.10 10.11 10.12 10.13 10.14 10.15" [ ] export DERIVED_FILES_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/DerivedSources" [ ] export DERIVED_FILE_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/DerivedSources" [ ] export DERIVED_SOURCES_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/DerivedSources" [ ] export DEVELOPER_APPLICATIONS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications" [ ] export DEVELOPER_BIN_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/usr/bin" [ ] export DEVELOPER_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer" [ ] export DEVELOPER_FRAMEWORKS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Library/Frameworks" [ ] export DEVELOPER_FRAMEWORKS_DIR_QUOTED="/Applications/Xcode 11.2.1.app/Contents/Developer/Library/Frameworks" [ ] export DEVELOPER_LIBRARY_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Library" [ ] export DEVELOPER_SDK_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs" [ ] export DEVELOPER_TOOLS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Tools" [ ] export DEVELOPER_USR_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/usr" [ ] export DEVELOPMENT_LANGUAGE=en [ ] export DONT_GENERATE_INFOPLIST_FILE=NO [ ] export DO_HEADER_SCANNING_IN_JAM=NO [ ] export DSTROOT=/tmp/Runner.dst [ ] export DT_TOOLCHAIN_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain" [ ] export DWARF_DSYM_FILE_NAME=.dSYM [ ] export DWARF_DSYM_FILE_SHOULD_ACCOMPANY_PRODUCT=NO [ ] export DWARF_DSYM_FOLDER_PATH=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug [ ] export EMBEDDED_CONTENT_CONTAINS_SWIFT=NO [ ] export EMBEDDED_PROFILE_NAME=embedded.provisionprofile [ ] export EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE=NO [ ] export ENABLE_BITCODE=NO [ ] export ENABLE_DEFAULT_HEADER_SEARCH_PATHS=YES [ ] export ENABLE_HARDENED_RUNTIME=NO [ ] export ENABLE_HEADER_DEPENDENCIES=YES [ ] export ENABLE_ON_DEMAND_RESOURCES=NO [ ] export ENABLE_PREVIEWS=NO [ ] export ENABLE_STRICT_OBJC_MSGSEND=YES [ ] export ENABLE_TESTABILITY=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 FILE_LIST="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/Objects/LinkFileList" [ ] export FIXED_FILES_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/FixedFiles" [ ] export FLUTTER_APPLICATION_PATH=/Users/<< REMOVED >>/Documents/dev/fab3 [ ] export FLUTTER_BUILD_DIR=build [ ] export FLUTTER_BUILD_NAME=1.0.0 [ ] export FLUTTER_BUILD_NUMBER=1 [ ] export FLUTTER_FRAMEWORK_DIR=/Users/<< REMOVED >>/Documents/f/flutter/bin/cache/artifacts/engine/darwin-x64 [ ] export FLUTTER_ROOT=/Users/<< REMOVED >>/Documents/f/flutter [ ] export FLUTTER_TARGET=/Users/<< REMOVED >>/Documents/dev/fab3/lib/main.dart [ ] export FRAMEWORK_VERSION=A [ ] export GCC3_VERSION=3.3 [ ] export GCC_C_LANGUAGE_STANDARD=gnu11 [ ] export GCC_DYNAMIC_NO_PIC=NO [ ] export GCC_NO_COMMON_BLOCKS=YES [ ] export GCC_OPTIMIZATION_LEVEL=0 [ ] export GCC_PFE_FILE_C_DIALECTS="c objective-c c++ objective-c++" [ ] export GCC_PREPROCESSOR_DEFINITIONS="DEBUG=1 " [ ] 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_SHADOW=YES [ ] export GCC_WARN_STRICT_SELECTOR_MATCH=YES [ ] 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=NO [ ] export GENERATE_PROFILING_CODE=NO [ ] export GENERATE_TEXT_BASED_STUBS=NO [ ] export GID=89939 [ ] export GROUP=primarygroup [ ] 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 HIDE_BITCODE_SYMBOLS=YES [ ] export HOME=/Users/<< REMOVED >> [ ] export ICONV=/usr/bin/iconv [ ] export INFOPLIST_EXPAND_BUILD_SETTINGS=YES [ ] export INFOPLIST_OUTPUT_FORMAT=same-as-input [ ] export INFOPLIST_PREPROCESS=NO [ ] export INLINE_PRIVATE_FRAMEWORKS=NO [ ] export INSTALLHDRS_COPY_PHASE=NO [ ] export INSTALLHDRS_SCRIPT_PHASE=NO [ ] export INSTALL_DIR=/tmp/Runner.dst [ ] export INSTALL_GROUP=primarygroup [ ] export INSTALL_MODE_FLAG=u+w,go-w,a+rX [ ] export INSTALL_OWNER=<< REMOVED >> [ ] export INSTALL_ROOT=/tmp/Runner.dst [ ] export IOS_UNZIPPERED_TWIN_PREFIX_PATH=/System/iOSSupport [ ] export IS_MACCATALYST=NO [ ] export IS_UIKITFORMAC=NO [ ] export JAVAC_DEFAULT_FLAGS="-J-Xms64m -J-XX:NewSize=4M -J-Dfile.encoding=UTF8" [ +2 ms] 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_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 KASAN_DEFAULT_CFLAGS="-DKASAN=1 -fsanitize=address -mllvm -asan-globals-live-support -mllvm -asan-force-dynamic-shadow" [ ] export KEEP_PRIVATE_EXTERNS=NO [ ] export LD_DEPENDENCY_INFO_FILE="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/Objects-normal/undefined_arch/Flutter Assemble_dependency_info.dat" [ ] export LD_GENERATE_MAP_FILE=NO [ ] export LD_MAP_FILE_PATH="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/Flutter Assemble-LinkMap-normal-undefined_arch.txt" [ ] export LD_NO_PIE=NO [ ] export LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER=YES [ ] export LEGACY_DEVELOPER_DIR="/Applications/Xcode 11.2.1.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer" [ ] export LEX=lex [ ] export LIBRARY_DEXT_INSTALL_PATH=/Library/DriverExtensions [ ] export LIBRARY_FLAG_NOSPACE=YES [ ] export LIBRARY_KEXT_INSTALL_PATH=/Library/Extensions [ ] export LINKER_DISPLAYS_MANGLED_NAMES=NO [ ] export LINK_FILE_LIST_normal_x86_64="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/Objects-normal/x86_64/Flutter Assemble.LinkFileList" [ ] export LINK_WITH_STANDARD_LIBRARIES=YES [ ] export LLVM_TARGET_TRIPLE_OS_VERSION=macos10.11 [ ] export LLVM_TARGET_TRIPLE_OS_VERSION_NO=macos10.11 [ ] export LLVM_TARGET_TRIPLE_OS_VERSION_YES=macos10.15 [ ] export LLVM_TARGET_TRIPLE_VENDOR=apple [ ] export LOCALIZED_STRING_MACRO_NAMES="NSLocalizedString CFCopyLocalizedString" [ ] export LOCALIZED_STRING_SWIFTUI_SUPPORT=YES [ ] 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=/Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export LOCSYMROOT=/Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export MACOSX_DEPLOYMENT_TARGET=10.11 [ ] export MAC_OS_X_PRODUCT_BUILD_VERSION=18G2022 [ ] export MAC_OS_X_VERSION_ACTUAL=101406 [ ] export MAC_OS_X_VERSION_MAJOR=101400 [ ] export MAC_OS_X_VERSION_MINOR=1406 [ ] export METAL_LIBRARY_FILE_BASE=default [ ] export METAL_LIBRARY_OUTPUT_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/ [ ] export MODULE_CACHE_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/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 OBJECT_FILE_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/Objects" [ ] export OBJECT_FILE_DIR_normal="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/Objects-normal" [ ] export OBJROOT=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex [ ] export ONLY_ACTIVE_ARCH=YES [ ] export OS=MACOS [ ] export OSAC=/usr/bin/osacompile [ ] export PASCAL_STRINGS=YES [ ] export PATH="/Applications/Xcode 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/local/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/libexec:/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/usr/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/usr/local/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/usr/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/usr/local/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/usr/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/usr/local/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Users/<< REMOVED >>/Documents/ f/flutter/bin" [ +2 ms] export PATH_PREFIXES_EXCLUDED_FROM_HEADER_DEPENDENCIES="/usr/include /usr/local/include /System/Library/Frameworks /System/Library/PrivateFrameworks /Applications/Xcode 11.2.1.app/Contents/Developer/Headers /Applications/Xcode 11.2.1.app/Contents/Developer/SDKs /Applications/Xcode 11.2.1.app/Contents/Developer/Platforms" [ ] export PER_ARCH_OBJECT_FILE_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/Objects-normal/undefined_arch" [ ] export PER_VARIANT_OBJECT_FILE_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/Objects-normal" [ ] export PKGINFO_FILE_PATH="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/PkgInfo" [ ] export PLATFORM_DEVELOPER_APPLICATIONS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications" [ ] export PLATFORM_DEVELOPER_BIN_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/usr/bin" [ ] export PLATFORM_DEVELOPER_LIBRARY_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Library" [ ] export PLATFORM_DEVELOPER_SDK_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs" [ ] export PLATFORM_DEVELOPER_TOOLS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Tools" [ ] export PLATFORM_DEVELOPER_USR_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/usr" [ ] export PLATFORM_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform" [ ] export PLATFORM_DISPLAY_NAME=macOS [ ] export PLATFORM_NAME=macosx [ ] export PLATFORM_PREFERRED_ARCH=x86_64 [ ] export PLATFORM_PRODUCT_BUILD_VERSION=11B500 [ ] export PLIST_FILE_OUTPUT_FORMAT=same-as-input [ ] export PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR=YES [ ] export PRECOMP_DESTINATION_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/PrefixHeaders" [ ] export PRESERVE_DEAD_CODE_INITS_AND_TERMS=NO [ ] export PRODUCT_MODULE_NAME=Flutter_Assemble [ ] export PRODUCT_NAME="Flutter Assemble" [ ] export PRODUCT_SETTINGS_PATH= [ ] export PROFILING_CODE=NO [ ] export PROJECT=Runner [ ] export PROJECT_DERIVED_FILE_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/DerivedSources [ ] export PROJECT_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export PROJECT_FILE_PATH=/Users/<< REMOVED >>/Documents/dev/fab3/macos/Runner.xcodeproj [ ] export PROJECT_NAME=Runner [ ] export PROJECT_TEMP_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build [ ] export PROJECT_TEMP_ROOT=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex [ ] 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/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/ResourceManagerResources" [ ] export REZ_OBJECTS_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/ResourceManagerResources/Objects" [ ] export SCAN_ALL_SOURCE_FILES_FOR_INCLUDES=NO [ ] export SCRIPT_INPUT_FILE_0=/Users/<< REMOVED >>/Documents/dev/fab3/macos/Flutter/ephemeral/tripwire [ ] export SCRIPT_INPUT_FILE_COUNT=1 [ ] export SCRIPT_INPUT_FILE_LIST_0="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/InputFileList-<< REMOVED >>-FlutterInputs-<< REMOVED >>-resolved.xcfilelist" [ ] export SCRIPT_INPUT_FILE_LIST_COUNT=1 [ ] export SCRIPT_OUTPUT_FILE_COUNT=0 [ ] export SCRIPT_OUTPUT_FILE_LIST_0="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/OutputFileList-<< REMOVED >>-FlutterOutputs-<< REMOVED >>-resolved.xcfilelist" [ ] export SCRIPT_OUTPUT_FILE_LIST_COUNT=1 [ ] export SDKROOT="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk" [ ] export SDK_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk" [ ] export SDK_DIR_macosx10_15="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk" [ ] export SDK_NAME=macosx10.15 [ ] export SDK_NAMES=macosx10.15 [ ] export SDK_PRODUCT_BUILD_VERSION=19B89 [ ] export SDK_VERSION=10.15 [ ] export SDK_VERSION_ACTUAL=101500 [ ] export SDK_VERSION_MAJOR=101500 [ ] export SDK_VERSION_MINOR=1500 [ ] 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=NO [ ] export SHARED_DERIVED_FILE_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/DerivedSources [ ] export SHARED_PRECOMPS_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/PrecompiledHeaders [ ] export SKIP_INSTALL=YES [ ] export SOURCE_ROOT=/Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export SRCROOT=/Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export STRINGS_FILE_OUTPUT_ENCODING=UTF-16 [ ] export STRIP_BITCODE_FROM_COPIED_FILES=NO [ ] export STRIP_INSTALLED_PRODUCT=YES [ ] export STRIP_PNG_TEXT=NO [ ] export STRIP_STYLE=all [ ] export STRIP_SWIFT_SYMBOLS=YES [ ] export SUPPORTED_PLATFORMS=macosx [ ] export SUPPORTS_TEXT_BASED_API=NO [ ] export SWIFT_ACTIVE_COMPILATION_CONDITIONS=DEBUG [ ] export SWIFT_OPTIMIZATION_LEVEL=-Onone [ ] export SWIFT_PLATFORM_TARGET_PREFIX=macos [ ] export SWIFT_RESPONSE_FILE_PATH_normal_x86_64="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build/Objects-normal/x86_64/Flutter Assemble.SwiftFileList" [ ] export SYMROOT=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/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 11.2.1.app/Contents/Developer/Applications" [ ] export SYSTEM_DEVELOPER_BIN_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/usr/bin" [ ] export SYSTEM_DEVELOPER_DEMOS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications/Utilities/Built Examples" [ ] export SYSTEM_DEVELOPER_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer" [ ] export SYSTEM_DEVELOPER_DOC_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/ADC Reference Library" [ ] export SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications/Graphics Tools" [ ] export SYSTEM_DEVELOPER_JAVA_TOOLS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications/Java Tools" [ ] export SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications/Performance Tools" [ ] export SYSTEM_DEVELOPER_RELEASENOTES_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/ADC Reference Library/releasenotes" [ ] export SYSTEM_DEVELOPER_TOOLS="/Applications/Xcode 11.2.1.app/Contents/Developer/Tools" [ ] export SYSTEM_DEVELOPER_TOOLS_DOC_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools" [ ] export SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools" [ ] export SYSTEM_DEVELOPER_USR_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/usr" [ ] export SYSTEM_DEVELOPER_UTILITIES_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications/Utilities" [ ] export SYSTEM_DEXT_INSTALL_PATH=/System/Library/DriverExtensions [ ] 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 TARGETNAME="Flutter Assemble" [ ] export TARGET_BUILD_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug [ ] export TARGET_NAME="Flutter Assemble" [ ] export TARGET_TEMP_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build" [ ] export TEMP_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build" [ ] export TEMP_FILES_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build" [ ] export TEMP_FILE_DIR="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter Assemble.build" [ ] export TEMP_ROOT=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex [ ] export TOOLCHAINS=com.apple.dt.toolchain.XcodeDefault [ ] export TOOLCHAIN_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain" [ ] export TRACK_WIDGET_CREATION=true [ ] export TREAT_MISSING_BASELINES_AS_TEST_FAILURES=NO [ ] export UID=716341 [ ] export UNSTRIPPED_PRODUCT=NO [ ] export USER=<< REMOVED >> [ ] export USER_APPS_DIR=/Users/<< REMOVED >>/Applications [ ] export USER_LIBRARY_DIR=/Users/<< REMOVED >>/Library [ ] export USE_DYNAMIC_NO_PIC=YES [ ] export USE_HEADERMAP=YES [ ] export USE_HEADER_SYMLINKS=NO [ ] export USE_LLVM_TARGET_TRIPLES=YES [ ] export USE_LLVM_TARGET_TRIPLES_FOR_CLANG=YES [ ] export USE_LLVM_TARGET_TRIPLES_FOR_LD=YES [ ] export USE_LLVM_TARGET_TRIPLES_FOR_TAPI=YES [ ] export VALIDATE_DEVELOPMENT_ASSET_PATHS=YES_ERROR [ ] export VALIDATE_PRODUCT=NO [ ] export VALIDATE_WORKSPACE=NO [ ] export VALID_ARCHS="i386 x86_64" [ ] export VERBOSE_PBXCP=NO [ ] export VERSION_INFO_BUILDER=<< REMOVED >> [ ] export VERSION_INFO_FILE="Flutter Assemble_vers.c" [ ] export VERSION_INFO_STRING=""@(#)PROGRAM:Flutter Assemble PROJECT:Runner-"" [ ] export WARNING_CFLAGS="-Wall -Wconditional-uninitialized -Wnullable-to-nonnull-conversion -Wmissing-method-return-type -Woverlength-strings" [ ] export WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES=NO [ ] export XCODE_APP_SUPPORT_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Library/Xcode" [ ] export XCODE_PRODUCT_BUILD_VERSION=11B500 [ ] export XCODE_VERSION_ACTUAL=1120 [ ] export XCODE_VERSION_MAJOR=1100 [ ] export XCODE_VERSION_MINOR=1120 [ ] export XPCSERVICES_FOLDER_PATH=/XPCServices [ ] export YACC=yacc [ ] export _BOOL_=NO [ ] export _BOOL_NO=NO [ ] export _BOOL_YES=YES [ ] export _DEVELOPMENT_TEAM_IS_EMPTY=YES [ ] export _IS_EMPTY_=YES [ ] export _MACOSX_DEPLOYMENT_TARGET_IS_EMPTY=NO [ ] export arch=undefined_arch [ ] export variant=normal [ ] /bin/sh -c /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Flutter\\\ Assemble.build/Script-<< REMOVED >>.sh [+9881 ms] CompileSwiftSources normal x86_64 com.apple.xcode.tools.swift.compiler (in target 'Runner' from project 'Runner') [ ] cd /Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export DEVELOPER_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer" [ ] export SDKROOT="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk" [ ] /Applications/Xcode\ 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swiftc -incremental -module-name fab3 -Onone -enable-batch-mode -enforce-exclusivity=checked @/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/fab3.SwiftFileList -DDEBUG -sdk /Applications/Xcode\ 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk -target x86_64-apple-macos10.11 -g -module-cache-path /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/ModuleCache.noindex -Xfrontend -serialize-debugging-options -enable-testing -swift-version 5 -I /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug -F /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug -F /Users/<< REMOVED >>/Documents/dev/fab3/macos/Flutter/ephemeral -c -j12 -output-file-map /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/Runner-OutputFileMap.json -parseable-output -serialize-diagnostics -emit-dependencies -emit-module -emit-module-path /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/fab3.swiftmodule -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/swift-overrides.hmap -Xcc -iquote -Xcc /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-generated-files.hmap -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-own-target-headers.hmap -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-all-target-headers.hmap -Xcc -iquote -Xcc /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-project-headers.hmap -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/include -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/DerivedSources-normal/x86_64 -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/DerivedSources/x86_64 -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/DerivedSources -Xcc -DDEBUG=1 -emit-objc-header -emit-objc-header-path /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/fab3-Swift.h -working-directory /Users/<< REMOVED >>/Documents/dev/fab3/macos [ +39 ms] CompileSwift normal x86_64 /Users/<< REMOVED >>/Documents/dev/fab3/macos/Flutter/GeneratedPluginRegistrant.swift (in target 'Runner' from project 'Runner') [ ] cd /Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] /Applications/Xcode\ 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swift -frontend -c /Users/<< REMOVED >>/Documents/dev/fab3/macos/Runner/MainFlutterWindow.swift /Users/<< REMOVED >>/Documents/dev/fab3/macos/Runner/AppDelegate.swift -primary-file /Users/<< REMOVED >>/Documents/dev/fab3/macos/Flutter/GeneratedPluginRegistrant.swift -emit-module-path /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant\~pa rtial.swiftmodule -emit-module-doc-path /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant\~pa rtial.swiftdoc -serialize-diagnostics-path /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.dia -emit-dependencies-path /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.d -emit-reference-dependencies-path /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.swi ftdeps -target x86_64-apple-macos10.11 -enable-objc-interop -sdk /Applications/Xcode\ 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk -I /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug -F /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug -F /Users/<< REMOVED >>/Documents/dev/fab3/macos/Flutter/ephemeral -enable-testing -g -module-cache-path /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/ModuleCache.noindex -swift-version 5 -enforce-exclusivity=checked -Onone -D DEBUG -serialize-debugging-options -Xcc -working-directory -Xcc /Users/<< REMOVED >>/Documents/dev/fab3/macos -enable-anonymous-context-mangled-names -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/swift-overrides.hmap -Xcc -iquote -Xcc /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-generated-files.hmap -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-own-target-headers.hmap -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-all-target-headers.hmap -Xcc -iquote -Xcc /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-project-headers.hmap -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/include -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/DerivedSources-normal/x86_64 -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/DerivedSources/x86_64 -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/DerivedSources -Xcc -DDEBUG=1 -module-name fab3 -o /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant.o [ +389 ms] MergeSwiftModule normal x86_64 (in target 'Runner' from project 'Runner') [ ] cd /Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] /Applications/Xcode\ 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swift -frontend -merge-modules -emit-module /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/MainFlutterWindow\~partial.sw iftmodule /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/AppDelegate\~partial.swiftmod ule /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/GeneratedPluginRegistrant\~pa rtial.swiftmodule -parse-as-library -sil-merge-partial-modules -disable-diagnostic-passes -disable-sil-perf-optzns -target x86_64-apple-macos10.11 -enable-objc-interop -sdk /Applications/Xcode\ 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk -I /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug -F /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug -F /Users/<< REMOVED >>/Documents/dev/fab3/macos/Flutter/ephemeral -enable-testing -g -module-cache-path /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/ModuleCache.noindex -swift-version 5 -enforce-exclusivity=checked -Onone -D DEBUG -serialize-debugging-options -Xcc -working-directory -Xcc /Users/<< REMOVED >>/Documents/dev/fab3/macos -enable-anonymous-context-mangled-names -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/swift-overrides.hmap -Xcc -iquote -Xcc /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-generated-files.hmap -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-own-target-headers.hmap -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-all-target-headers.hmap -Xcc -iquote -Xcc /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-project-headers.hmap -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/include -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/DerivedSources-normal/x86_64 -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/DerivedSources/x86_64 -Xcc -I/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/DerivedSources -Xcc -DDEBUG=1 -emit-module-doc-path /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/fab3.swiftdoc -emit-objc-header-path /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/fab3-Swift.h -module-name fab3 -o /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/fab3.swiftmodule [ +443 ms] PBXCp /Users/<< REMOVED >>/Documents/dev/fab3/macos/Flutter/ephemeral/App.framework /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/fab3.app/Contents/Frameworks/App.framework (in target 'Runner' from project 'Runner') [ ] cd /Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] 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/<< REMOVED >>/Documents/dev/fab3/macos/Flutter/ephemeral/App.framework /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/fab3.app/Contents/Frameworks [ +39 ms] CodeSign /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/fab3.app/Contents/Frameworks/App.framework/Versions/A (in target 'Runner' from project 'Runner') [ ] cd /Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export CODESIGN_ALLOCATE="/Applications/Xcode 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/codesign_allocate" [ ] Signing Identity: "-" [ ] /usr/bin/codesign --force --sign - --timestamp=none --preserve-metadata=identifier,entitlements,flags /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/fab3.app/Contents/Frameworks/App.framework/Versions/A [ +146 ms] PhaseScriptExecution Run\ Script /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Script-<< REMOVED >>.sh (in target 'Runner' from project 'Runner') [ ] cd /Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export ACTION=build [ ] export AD_HOC_CODE_SIGNING_ALLOWED=YES [ ] export ALTERNATE_GROUP=primarygroup [ ] export ALTERNATE_MODE=u+w,go-w,a+rX [ ] export ALTERNATE_OWNER=<< REMOVED >> [ ] 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 APPLY_RULES_IN_COPY_HEADERS=NO [ ] export ARCHS=x86_64 [ ] export ARCHS_STANDARD=x86_64 [ ] export ARCHS_STANDARD_32_64_BIT="x86_64 i386" [ ] export ARCHS_STANDARD_32_BIT=i386 [ ] export ARCHS_STANDARD_64_BIT=x86_64 [ ] export ARCHS_STANDARD_INCLUDING_64_BIT=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=NO [ ] export BUILD_COMPONENTS="headers build" [ ] export BUILD_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products [ ] export BUILD_LIBRARY_FOR_DISTRIBUTION=NO [ ] export BUILD_ROOT=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products [ ] export BUILD_STYLE= [ ] export BUILD_VARIANTS=normal [ ] export BUILT_PRODUCTS_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug [ ] export CACHE_ROOT=/var/folders/3l/<< REMOVED >>/C/com.apple.DeveloperTools/11.2.1-11B500/Xcode [ ] export CCHROOT=/var/folders/3l/<< REMOVED >>/C/com.apple.DeveloperTools/11.2.1-11B500/Xcode [ ] export CHMOD=/bin/chmod [ ] export CHOWN=/usr/sbin/chown [ ] export CLANG_ANALYZER_NONNULL=YES [ ] export CLANG_ANALYZER_NUMBER_OBJECT_CONVERSION=YES_AGGRESSIVE [ ] export CLANG_CXX_LANGUAGE_STANDARD=gnu++14 [ ] export CLANG_CXX_LIBRARY=libc++ [ ] export CLANG_ENABLE_MODULES=YES [ ] export CLANG_ENABLE_OBJC_ARC=YES [ ] export CLANG_MODULES_BUILD_SESSION_FILE=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/ModuleCache.noindex/Session.modulevalidation [ ] export CLANG_UNDEFINED_BEHAVIOR_SANITIZER_NULLABILITY=YES [ ] 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_DEPRECATED_OBJC_IMPLEMENTATIONS=YES [ ] export CLANG_WARN_DIRECT_OBJC_ISA_USAGE=YES_ERROR [ ] export CLANG_WARN_DOCUMENTATION_COMMENTS=YES [ ] 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_IMPLICIT_RETAIN_SELF=YES [ ] export CLANG_WARN_OBJC_LITERAL_CONVERSION=YES [ ] export CLANG_WARN_OBJC_REPEATED_USE_OF_WEAK=YES [ ] export CLANG_WARN_OBJC_ROOT_CLASS=YES_ERROR [ ] export CLANG_WARN_PRAGMA_PACK=YES [ ] export CLANG_WARN_RANGE_LOOP_ANALYSIS=YES [ ] export CLANG_WARN_STRICT_PROTOTYPES=YES [ ] export CLANG_WARN_SUSPICIOUS_MOVE=YES [ ] export CLANG_WARN_UNGUARDED_AVAILABILITY=YES_AGGRESSIVE [ ] export CLANG_WARN_UNREACHABLE_CODE=YES [ ] export CLANG_WARN__DUPLICATE_METHOD_MATCH=YES [ ] export CLASS_FILE_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/JavaClasses [ ] export CLEAN_PRECOMPS=YES [ ] export CLONE_HEADERS=NO [ ] export CODESIGNING_FOLDER_PATH=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/fab3.app [ ] export CODE_SIGNING_ALLOWED=YES [ ] export CODE_SIGN_ENTITLEMENTS=Runner/DebugProfile.entitlements [ ] export CODE_SIGN_IDENTITY=- [ ] export CODE_SIGN_IDENTITY_NO="Apple Development" [ ] export CODE_SIGN_IDENTITY_YES=- [ ] export CODE_SIGN_INJECT_BASE_ENTITLEMENTS=YES [ ] export CODE_SIGN_STYLE=Automatic [ ] export COLOR_DIAGNOSTICS=NO [ ] export COMBINE_HIDPI_IMAGES=YES [ ] export COMPILER_INDEX_STORE_ENABLE=NO [ ] export COMPOSITE_SDK_DIRS=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/CompositeSDKs [ ] export COMPRESS_PNG_FILES=NO [ ] export CONFIGURATION=Debug [ ] export CONFIGURATION_BUILD_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug [ ] export CONFIGURATION_TEMP_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug [ ] export CONTENTS_FOLDER_PATH=fab3.app/Contents [ ] export CONTENTS_FOLDER_PATH_SHALLOW_BUNDLE_NO=fab3.app/Contents [ ] export CONTENTS_FOLDER_PATH_SHALLOW_BUNDLE_YES=fab3.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 CP=/bin/cp [ ] export CREATE_INFOPLIST_SECTION_IN_BINARY=NO [ ] export CURRENT_ARCH=undefined_arch [ ] export CURRENT_VARIANT=normal [ ] export DEAD_CODE_STRIPPING=NO [ ] export DEBUGGING_SYMBOLS=YES [ ] export DEBUG_INFORMATION_FORMAT=dwarf [ ] export DEFAULT_COMPILER=com.apple.compilers.llvm.clang.1_0 [ ] export DEFAULT_DEXT_INSTALL_PATH=/System/Library/DriverExtensions [ ] 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=MACOSX_DEPLOYMENT_TARGET [ ] export DEPLOYMENT_TARGET_CLANG_FLAG_NAME=mmacosx-version-min [ ] export DEPLOYMENT_TARGET_LD_ENV_NAME=MACOSX_DEPLOYMENT_TARGET [ ] export DEPLOYMENT_TARGET_LD_FLAG_NAME=macosx_version_min [ ] export DEPLOYMENT_TARGET_SETTING_NAME=MACOSX_DEPLOYMENT_TARGET [ ] export DEPLOYMENT_TARGET_SUGGESTED_VALUES="10.6 10.7 10.8 10.9 10.10 10.11 10.12 10.13 10.14 10.15" [ ] export DERIVED_FILES_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/DerivedSources [ ] export DERIVED_FILE_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/DerivedSources [ ] export DERIVED_SOURCES_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/DerivedSources [ ] export DEVELOPER_APPLICATIONS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications" [ ] export DEVELOPER_BIN_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/usr/bin" [ ] export DEVELOPER_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer" [ ] export DEVELOPER_FRAMEWORKS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Library/Frameworks" [ ] export DEVELOPER_FRAMEWORKS_DIR_QUOTED="/Applications/Xcode 11.2.1.app/Contents/Developer/Library/Frameworks" [ ] export DEVELOPER_LIBRARY_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Library" [ ] export DEVELOPER_SDK_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs" [ ] export DEVELOPER_TOOLS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Tools" [ ] export DEVELOPER_USR_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/usr" [ ] export DEVELOPMENT_LANGUAGE=en [ ] export DOCUMENTATION_FOLDER_PATH=fab3.app/Contents/Resources/en.lproj/Documentation [ ] export DONT_GENERATE_INFOPLIST_FILE=NO [ ] export DO_HEADER_SCANNING_IN_JAM=NO [ ] export DSTROOT=/tmp/Runner.dst [ ] export DT_TOOLCHAIN_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain" [ ] export DWARF_DSYM_FILE_NAME=fab3.app.dSYM [ ] export DWARF_DSYM_FILE_SHOULD_ACCOMPANY_PRODUCT=NO [ ] export DWARF_DSYM_FOLDER_PATH=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug [ ] export EMBEDDED_CONTENT_CONTAINS_SWIFT=NO [ ] export EMBEDDED_PROFILE_NAME=embedded.provisionprofile [ ] export EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE=NO [ ] export ENABLE_BITCODE=NO [ ] export ENABLE_DEFAULT_HEADER_SEARCH_PATHS=YES [ ] export ENABLE_HARDENED_RUNTIME=NO [ ] export ENABLE_HEADER_DEPENDENCIES=YES [ ] export ENABLE_ON_DEMAND_RESOURCES=NO [ ] export ENABLE_PREVIEWS=NO [ ] export ENABLE_STRICT_OBJC_MSGSEND=YES [ ] export ENABLE_TESTABILITY=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=fab3.app/Contents/Executables [ ] export EXECUTABLE_FOLDER_PATH=fab3.app/Contents/MacOS [ ] export EXECUTABLE_FOLDER_PATH_SHALLOW_BUNDLE_NO=fab3.app/Contents/MacOS [ ] export EXECUTABLE_FOLDER_PATH_SHALLOW_BUNDLE_YES=fab3.app/Contents [ ] export EXECUTABLE_NAME=fab3 [ ] export EXECUTABLE_PATH=fab3.app/Contents/MacOS/fab3 [ ] export EXPANDED_CODE_SIGN_IDENTITY=- [ ] export EXPANDED_CODE_SIGN_IDENTITY_NAME=- [ ] export FILE_LIST=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects/LinkFileList [ ] export FIXED_FILES_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/FixedFiles [ ] export FLUTTER_APPLICATION_PATH=/Users/<< REMOVED >>/Documents/dev/fab3 [ ] export FLUTTER_BUILD_DIR=build [ ] export FLUTTER_BUILD_NAME=1.0.0 [ ] export FLUTTER_BUILD_NUMBER=1 [ ] export FLUTTER_FRAMEWORK_DIR=/Users/<< REMOVED >>/Documents/f/flutter/bin/cache/artifacts/engine/darwin-x64 [ ] export FLUTTER_ROOT=/Users/<< REMOVED >>/Documents/f/flutter [ ] export FLUTTER_TARGET=/Users/<< REMOVED >>/Documents/dev/fab3/lib/main.dart [ ] export FRAMEWORKS_FOLDER_PATH=fab3.app/Contents/Frameworks [ ] export FRAMEWORK_FLAG_PREFIX=-framework [ ] export FRAMEWORK_SEARCH_PATHS="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug /Users/<< REMOVED >>/Documents/dev/fab3/macos/Flutter/ephemeral" [ ] export FRAMEWORK_VERSION=A [ ] export FULL_PRODUCT_NAME=fab3.app [ ] export GCC3_VERSION=3.3 [ ] export GCC_C_LANGUAGE_STANDARD=gnu11 [ ] export GCC_DYNAMIC_NO_PIC=NO [ ] export GCC_INLINES_ARE_PRIVATE_EXTERN=YES [ ] export GCC_NO_COMMON_BLOCKS=YES [ ] export GCC_OPTIMIZATION_LEVEL=0 [ ] export GCC_PFE_FILE_C_DIALECTS="c objective-c c++ objective-c++" [ ] export GCC_PREPROCESSOR_DEFINITIONS="DEBUG=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_SHADOW=YES [ ] export GCC_WARN_STRICT_SELECTOR_MATCH=YES [ ] 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=89939 [ ] export GROUP=primarygroup [ ] 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/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/include " [ ] export HIDE_BITCODE_SYMBOLS=YES [ ] export HOME=/Users/<< REMOVED >> [ ] export ICONV=/usr/bin/iconv [ ] export INFOPLIST_EXPAND_BUILD_SETTINGS=YES [ ] export INFOPLIST_FILE=Runner/Info.plist [ ] export INFOPLIST_OUTPUT_FORMAT=same-as-input [ ] export INFOPLIST_PATH=fab3.app/Contents/Info.plist [ ] export INFOPLIST_PREPROCESS=NO [ ] export INFOSTRINGS_PATH=fab3.app/Contents/Resources/en.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=primarygroup [ ] export INSTALL_MODE_FLAG=u+w,go-w,a+rX [ ] export INSTALL_OWNER=<< REMOVED >> [ ] export INSTALL_PATH=/Applications [ ] export INSTALL_ROOT=/tmp/Runner.dst [ ] export IOS_UNZIPPERED_TWIN_PREFIX_PATH=/System/iOSSupport [ ] export IS_MACCATALYST=NO [ ] export IS_UIKITFORMAC=NO [ ] 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=fab3.app/Contents/Resources/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 KASAN_DEFAULT_CFLAGS="-DKASAN=1 -fsanitize=address -mllvm -asan-globals-live-support -mllvm -asan-force-dynamic-shadow" [ ] export KEEP_PRIVATE_EXTERNS=NO [ ] export LD_DEPENDENCY_INFO_FILE=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/undefined_ar ch/fab3_dependency_info.dat [ ] export LD_GENERATE_MAP_FILE=NO [ ] export LD_MAP_FILE_PATH=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/fab3-LinkMap-normal-undefined_arch .txt [ ] export LD_NO_PIE=NO [ ] export LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER=YES [ ] export LD_RUNPATH_SEARCH_PATHS=" @executable_path/../Frameworks" [ ] export LD_RUNPATH_SEARCH_PATHS_YES=@loader_path/../Frameworks [ ] export LEGACY_DEVELOPER_DIR="/Applications/Xcode 11.2.1.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer" [ ] export LEX=lex [ ] export LIBRARY_DEXT_INSTALL_PATH=/Library/DriverExtensions [ ] export LIBRARY_FLAG_NOSPACE=YES [ ] export LIBRARY_FLAG_PREFIX=-l [ ] export LIBRARY_KEXT_INSTALL_PATH=/Library/Extensions [ ] export LIBRARY_SEARCH_PATHS="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug " [ ] export LINKER_DISPLAYS_MANGLED_NAMES=NO [ ] export LINK_FILE_LIST_normal_x86_64=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/x86_64/ fab3.LinkFileList [ ] export LINK_WITH_STANDARD_LIBRARIES=YES [ ] export LLVM_TARGET_TRIPLE_OS_VERSION=macos10.11 [ ] export LLVM_TARGET_TRIPLE_OS_VERSION_NO=macos10.11 [ ] export LLVM_TARGET_TRIPLE_OS_VERSION_YES=macos10.15 [ ] export LLVM_TARGET_TRIPLE_VENDOR=apple [ ] export LOCALIZED_RESOURCES_FOLDER_PATH=fab3.app/Contents/Resources/en.lproj [ ] export LOCALIZED_STRING_MACRO_NAMES="NSLocalizedString CFCopyLocalizedString" [ ] export LOCALIZED_STRING_SWIFTUI_SUPPORT=YES [ ] 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=/Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export LOCSYMROOT=/Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export MACH_O_TYPE=mh_execute [ ] export MACOSX_DEPLOYMENT_TARGET=10.11 [ ] export MAC_OS_X_PRODUCT_BUILD_VERSION=18G2022 [ ] export MAC_OS_X_VERSION_ACTUAL=101406 [ ] export MAC_OS_X_VERSION_MAJOR=101400 [ ] export MAC_OS_X_VERSION_MINOR=1406 [ ] export METAL_LIBRARY_FILE_BASE=default [ ] export METAL_LIBRARY_OUTPUT_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/fab3.app/Contents/Resources [ ] export MODULES_FOLDER_PATH=fab3.app/Contents/Modules [ ] export MODULE_CACHE_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/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 OBJECT_FILE_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects [ ] export OBJECT_FILE_DIR_normal=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal [ ] export OBJROOT=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex [ ] export ONLY_ACTIVE_ARCH=YES [ ] export OS=MACOS [ ] export OSAC=/usr/bin/osacompile [ ] export PACKAGE_TYPE=com.apple.package-type.wrapper.application [ ] export PASCAL_STRINGS=YES [ ] export PATH="/Applications/Xcode 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/local/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/libexec:/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/usr/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/usr/local/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/usr/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/usr/local/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/usr/bin:/Applications/Xcode 11.2.1.app/Contents/Developer/usr/local/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:/Users/<< REMOVED >>/Documents/ f/flutter/bin" [ ] export PATH_PREFIXES_EXCLUDED_FROM_HEADER_DEPENDENCIES="/usr/include /usr/local/include /System/Library/Frameworks /System/Library/PrivateFrameworks /Applications/Xcode 11.2.1.app/Contents/Developer/Headers /Applications/Xcode 11.2.1.app/Contents/Developer/SDKs /Applications/Xcode 11.2.1.app/Contents/Developer/Platforms" [ ] export PBDEVELOPMENTPLIST_PATH=fab3.app/Contents/pbdevelopment.plist [ ] export PER_ARCH_OBJECT_FILE_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal/undefined_a rch [ ] export PER_VARIANT_OBJECT_FILE_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-normal [ ] export PKGINFO_FILE_PATH=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/PkgInfo [ ] export PKGINFO_PATH=fab3.app/Contents/PkgInfo [ ] export PLATFORM_DEVELOPER_APPLICATIONS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications" [ ] export PLATFORM_DEVELOPER_BIN_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/usr/bin" [ ] export PLATFORM_DEVELOPER_LIBRARY_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Library" [ ] export PLATFORM_DEVELOPER_SDK_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs" [ ] export PLATFORM_DEVELOPER_TOOLS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Tools" [ ] export PLATFORM_DEVELOPER_USR_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/usr" [ ] export PLATFORM_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform" [ ] export PLATFORM_DISPLAY_NAME=macOS [ ] export PLATFORM_NAME=macosx [ ] export PLATFORM_PREFERRED_ARCH=x86_64 [ ] export PLATFORM_PRODUCT_BUILD_VERSION=11B500 [ ] export PLIST_FILE_OUTPUT_FORMAT=same-as-input [ ] export PLUGINS_FOLDER_PATH=fab3.app/Contents/PlugIns [ ] export PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR=YES [ ] export PRECOMP_DESTINATION_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/PrefixHeaders [ ] export PRESERVE_DEAD_CODE_INITS_AND_TERMS=NO [ ] export PRIVATE_HEADERS_FOLDER_PATH=fab3.app/Contents/PrivateHeaders [ ] export PRODUCT_BUNDLE_IDENTIFIER=com.example.fab3 [ ] export PRODUCT_BUNDLE_PACKAGE_TYPE=APPL [ ] export PRODUCT_COPYRIGHT="Copyright Β© 2020 com.example. All rights reserved." [ ] export PRODUCT_MODULE_NAME=fab3 [ ] export PRODUCT_NAME=fab3 [ ] export PRODUCT_SETTINGS_PATH=/Users/<< REMOVED >>/Documents/dev/fab3/macos/Runner/Info.plist [ ] export PRODUCT_TYPE=com.apple.product-type.application [ ] export PROFILING_CODE=NO [ ] export PROJECT=Runner [ ] export PROJECT_DERIVED_FILE_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/DerivedSources [ ] export PROJECT_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export PROJECT_FILE_PATH=/Users/<< REMOVED >>/Documents/dev/fab3/macos/Runner.xcodeproj [ ] export PROJECT_NAME=Runner [ ] export PROJECT_TEMP_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build [ ] export PROJECT_TEMP_ROOT=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex [ ] export PUBLIC_HEADERS_FOLDER_PATH=fab3.app/Contents/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/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/ResourceManagerResources [ ] export REZ_OBJECTS_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/ResourceManagerResources/Objects [ ] export REZ_SEARCH_PATHS="/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug " [ ] export SCAN_ALL_SOURCE_FILES_FOR_INCLUDES=NO [ ] export SCRIPTS_FOLDER_PATH=fab3.app/Contents/Resources/Scripts [ ] export SCRIPT_INPUT_FILE_COUNT=0 [ ] export SCRIPT_INPUT_FILE_LIST_COUNT=0 [ ] export SCRIPT_OUTPUT_FILE_COUNT=0 [ ] export SCRIPT_OUTPUT_FILE_LIST_COUNT=0 [ ] export SDKROOT="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk" [ ] export SDK_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk" [ ] export SDK_DIR_macosx10_15="/Applications/Xcode 11.2.1.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs/MacOSX10.15.sdk" [ ] export SDK_NAME=macosx10.15 [ ] export SDK_NAMES=macosx10.15 [ ] export SDK_PRODUCT_BUILD_VERSION=19B89 [ ] export SDK_VERSION=10.15 [ ] export SDK_VERSION_ACTUAL=101500 [ ] export SDK_VERSION_MAJOR=101500 [ ] export SDK_VERSION_MINOR=1500 [ ] 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=NO [ ] export SHALLOW_BUNDLE_=YES [ ] export SHALLOW_BUNDLE_driverkit=YES [ ] export SHALLOW_BUNDLE_ios=NO [ ] export SHALLOW_BUNDLE_macos=NO [ ] export SHARED_DERIVED_FILE_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/DerivedSources [ ] export SHARED_FRAMEWORKS_FOLDER_PATH=fab3.app/Contents/SharedFrameworks [ ] export SHARED_PRECOMPS_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/PrecompiledHeaders [ ] export SHARED_SUPPORT_FOLDER_PATH=fab3.app/Contents/SharedSupport [ ] export SKIP_INSTALL=NO [ ] export SOURCE_ROOT=/Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export SRCROOT=/Users/<< REMOVED >>/Documents/dev/fab3/macos [ ] export STRINGS_FILE_OUTPUT_ENCODING=UTF-16 [ ] export STRIP_BITCODE_FROM_COPIED_FILES=NO [ ] export STRIP_INSTALLED_PRODUCT=YES [ ] export STRIP_PNG_TEXT=NO [ ] export STRIP_STYLE=all [ ] export STRIP_SWIFT_SYMBOLS=YES [ ] export SUPPORTED_PLATFORMS=macosx [ ] export SUPPORTS_TEXT_BASED_API=NO [ ] export SWIFT_ACTIVE_COMPILATION_CONDITIONS=DEBUG [ ] export SWIFT_OPTIMIZATION_LEVEL=-Onone [ ] export SWIFT_PLATFORM_TARGET_PREFIX=macos [ ] export SWIFT_RESPONSE_FILE_PATH_normal_x86_64=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Objects-norm al/x86_64/fab3.SwiftFileList [ ] export SWIFT_VERSION=5.0 [ ] export SYMROOT=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/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 11.2.1.app/Contents/Developer/Applications" [ ] export SYSTEM_DEVELOPER_BIN_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/usr/bin" [ ] export SYSTEM_DEVELOPER_DEMOS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications/Utilities/Built Examples" [ ] export SYSTEM_DEVELOPER_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer" [ ] export SYSTEM_DEVELOPER_DOC_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/ADC Reference Library" [ ] export SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications/Graphics Tools" [ ] export SYSTEM_DEVELOPER_JAVA_TOOLS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications/Java Tools" [ ] export SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications/Performance Tools" [ ] export SYSTEM_DEVELOPER_RELEASENOTES_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/ADC Reference Library/releasenotes" [ ] export SYSTEM_DEVELOPER_TOOLS="/Applications/Xcode 11.2.1.app/Contents/Developer/Tools" [ ] export SYSTEM_DEVELOPER_TOOLS_DOC_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools" [ ] export SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools" [ ] export SYSTEM_DEVELOPER_USR_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/usr" [ ] export SYSTEM_DEVELOPER_UTILITIES_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Applications/Utilities" [ ] export SYSTEM_DEXT_INSTALL_PATH=/System/Library/DriverExtensions [ ] export SYSTEM_DOCUMENTATION_DIR=/Library/Documentation [ ] export SYSTEM_EXTENSIONS_FOLDER_PATH=fab3.app/Contents/Library/SystemExtensions [ ] export SYSTEM_KEXT_INSTALL_PATH=/System/Library/Extensions [ ] export SYSTEM_LIBRARY_DIR=/System/Library [ ] export TAPI_VERIFY_MODE=ErrorsOnly [ ] export TARGETNAME=Runner [ ] export TARGET_BUILD_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug [ ] export TARGET_NAME=Runner [ ] export TARGET_TEMP_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build [ ] export TEMP_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build [ ] export TEMP_FILES_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build [ ] export TEMP_FILE_DIR=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build [ ] export TEMP_ROOT=/Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex [ ] export TOOLCHAINS=com.apple.dt.toolchain.XcodeDefault [ ] export TOOLCHAIN_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain" [ ] export TRACK_WIDGET_CREATION=true [ ] export TREAT_MISSING_BASELINES_AS_TEST_FAILURES=NO [ ] export UID=716341 [ ] export UNLOCALIZED_RESOURCES_FOLDER_PATH=fab3.app/Contents/Resources [ ] export UNLOCALIZED_RESOURCES_FOLDER_PATH_SHALLOW_BUNDLE_NO=fab3.app/Contents/Resources [ ] export UNLOCALIZED_RESOURCES_FOLDER_PATH_SHALLOW_BUNDLE_YES=fab3.app/Contents [ ] export UNSTRIPPED_PRODUCT=NO [ ] export USER=<< REMOVED >> [ ] export USER_APPS_DIR=/Users/<< REMOVED >>/Applications [ ] export USER_LIBRARY_DIR=/Users/<< REMOVED >>/Library [ ] export USE_DYNAMIC_NO_PIC=YES [ ] export USE_HEADERMAP=YES [ ] export USE_HEADER_SYMLINKS=NO [ ] export USE_LLVM_TARGET_TRIPLES=YES [ ] export USE_LLVM_TARGET_TRIPLES_FOR_CLANG=YES [ ] export USE_LLVM_TARGET_TRIPLES_FOR_LD=YES [ ] export USE_LLVM_TARGET_TRIPLES_FOR_TAPI=YES [ ] export VALIDATE_DEVELOPMENT_ASSET_PATHS=YES_ERROR [ ] export VALIDATE_PRODUCT=NO [ ] export VALIDATE_WORKSPACE=NO [ ] export VALID_ARCHS="i386 x86_64" [ ] export VERBOSE_PBXCP=NO [ ] export VERSIONPLIST_PATH=fab3.app/Contents/version.plist [ ] export VERSION_INFO_BUILDER=<< REMOVED >> [ ] export VERSION_INFO_FILE=fab3_vers.c [ ] export VERSION_INFO_STRING=""@(#)PROGRAM:fab3 PROJECT:Runner-"" [ ] export WARNING_CFLAGS="-Wall -Wconditional-uninitialized -Wnullable-to-nonnull-conversion -Wmissing-method-return-type -Woverlength-strings" [ ] export WRAPPER_EXTENSION=app [ ] export WRAPPER_NAME=fab3.app [ ] export WRAPPER_SUFFIX=.app [ ] export WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES=NO [ ] export XCODE_APP_SUPPORT_DIR="/Applications/Xcode 11.2.1.app/Contents/Developer/Library/Xcode" [ ] export XCODE_PRODUCT_BUILD_VERSION=11B500 [ ] export XCODE_VERSION_ACTUAL=1120 [ ] export XCODE_VERSION_MAJOR=1100 [ ] export XCODE_VERSION_MINOR=1120 [ ] export XPCSERVICES_FOLDER_PATH=fab3.app/Contents/XPCServices [ ] export YACC=yacc [ ] export _BOOL_=NO [ ] export _BOOL_NO=NO [ ] export _BOOL_YES=YES [ ] export _DEVELOPMENT_TEAM_IS_EMPTY=YES [ ] export _IS_EMPTY_=YES [ ] export _MACOSX_DEPLOYMENT_TARGET_IS_EMPTY=NO [ ] export arch=undefined_arch [ ] export variant=normal [ ] /bin/sh -c /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Intermediates.noindex/Runner.build/Debug/Runner.build/Script-<< REMOVED >>.sh [ ] ** BUILD SUCCEEDED ** [ +9 ms] Building macOS application... (completed in 12.1s) [ +3 ms] executing: /usr/bin/plutil -convert json -o - /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/fab3.app/Contents/Info.plist [ +8 ms] Exit code 0 from: /usr/bin/plutil -convert json -o - /Users/<< REMOVED >>/Documents/dev/fab3/build/macos/Build/Products/Debug/fab3.app/Contents/Info.plist [ ] {"CFBundleName":"fab3","DTXcode":"1120","DTSDKName":"macosx10.15","NSHumanReadableCopyright":"Copyright Β© 2020 com.example. All rights reserved.","DTSDKBuild":"19B89","CFBundleDevelopmentRegion":"en","CFBundleVersion":"1","BuildMachineOSBuild":"18G2022","NSPrincipalClass":"NSApplication","CFBu ndleIconName":"AppIcon","CFBundlePackageType":"APPL","CFBundleIconFile":"AppIcon","CFBundleSupportedPlatforms":["MacOSX"],"CFBundleShortVersionString":"1.0.0", "NSMainNibFile":"MainMenu","CFBundleInfoDictionaryVersion":"6.0","CFBundleExecutable":"fab3","DTCompiler":"com.apple.compilers.llvm.clang.1_0","CFBundleIdentif ier":"com.example.fab3","DTPlatformVersion":"GM","DTXcodeBuild":"11B500","LSMinimumSystemVersion":"10.11","DTPlatformBuild":"11B500"} [ +390 ms] Observatory URL on device: http://127.0.0.1:56647/iBH2Wqy4UXU=/ [ +10 ms] Connecting to service protocol: http://127.0.0.1:56647/iBH2Wqy4UXU=/ [ +112 ms] Successfully connected to service protocol: http://127.0.0.1:56647/iBH2Wqy4UXU=/ [ +2 ms] Sending to VM service: getVM({}) [ +3 ms] Result: {type: VM, name: vm, architectureBits: 64, hostCPU: Intel(R) Core(TM) i7-8750H CPU @ 2.20GHz, operatingSystem: macos, targetCPU: x64, version: 2.8.0-dev.6.0.flutter-<< REMOVED >> (Fri Jan 31 15:03:42 2020 +0000) on "macos_x64", _profilerMode: Dart, _... [ +4 ms] Sending to VM service: getIsolate({isolateId: isolates/<< REMOVED >>}) [ +3 ms] Sending to VM service: _flutter.listViews({}) [ +1 ms] Result: {type: FlutterViewList, views: [{type: FlutterView, id: _flutterView/<< REMOVED >>, isolate: {type: @Isolate, fixedId: true, id: isolates/<< REMOVED >>, name: main.dart$main-<< REMOVED >>, number: << REMOVED >>}}]} [ +5 ms] DevFS: Creating new filesystem on the device (null) [ ] Sending to VM service: _createDevFS({fsName: fab3}) [ +10 ms] Result: {type: Isolate, id: isolates/<< REMOVED >>, name: main, number: << REMOVED >>, _originNumber: << REMOVED >>, startTime: << REMOVED >>, _heaps: {new: {type: HeapSpace, name: new, vmName: Scavenger, collections: 0, avgCollectionPeriodMillis... [ +16 ms] Result: {type: FileSystem, name: fab3, uri: file:///var/folders/3l/<< REMOVED >>/T/com.example.fab3/fab3p5qV45/fab3/} [ ] DevFS: Created new filesystem on the device (file:///var/folders/3l/<< REMOVED >>/T/com.example.fab3/fab3p5qV45/fab3/) [ +2 ms] Updating assets [ +100 ms] Syncing files to device macOS... [ +2 ms] Scanning asset files [ +2 ms] <- reset [ ] Compiling dart to kernel with 0 updated files [ +9 ms] /Users/<< REMOVED >>/Documents/f/flutter/bin/cache/dart-sdk/bin/dart /Users/<< REMOVED >>/Documents/f/flutter/bin/cache/artifacts/engine/darwin-x64/frontend_server.dart.snapshot --sdk-root /Users/<< REMOVED >>/Documents/f/flutter/bin/cache/artifacts/engine/common/flutter_patched_sdk/ --incremental --target=flutter -Ddart.developer.causal_async_stacks=true --output-dill /var/folders/3l/<< REMOVED >>/T/flutter_tool.B6HKN6/app.dill --packages /Users/<< REMOVED >>/Documents/dev/fab3/.packages -Ddart.vm.profile=false -Ddart.vm.product=false --bytecode-options=source-positions,local-var-info,debugger-stops,instance-field-initializers,keep-unreachable-code,avoid-closure-call-instructions --enable-asserts --track-widget-creation --filesystem-scheme org-dartlang-root [ +4 ms] <- compile package:fab3/main.dart [+5447 ms] Updating files [ +58 ms] DevFS: Sync finished [ +1 ms] Syncing files to device macOS... (completed in 5,526ms, longer than expected) [ ] Synced 0.9MB. [ +1 ms] Sending to VM service: _flutter.listViews({}) [ +1 ms] Result: {type: FlutterViewList, views: [{type: FlutterView, id: _flutterView/<< REMOVED >>, isolate: {type: @Isolate, fixedId: true, id: isolates/<< REMOVED >>, name: main.dart$main-<< REMOVED >>, number: << REMOVED >>}}]} [ ] <- accept [ ] Connected to _flutterView/<< REMOVED >>. [ +1 ms] Flutter run key commands. [ +2 ms] r Hot reload. πŸ”₯πŸ”₯πŸ”₯ [ +1 ms] R Hot restart. [ ] h Repeat this help message. [ ] d Detach (terminate "flutter run" but leave application running). [ ] q Quit (terminate the application on the device). [ ] An Observatory debugger and profiler on macOS is available at: http://127.0.0.1:56647/iBH2Wqy4UXU=/ [+1350 ms] Service protocol connection closed. [ +1 ms] Lost connection to device. [ +3 ms] DevFS: Deleting filesystem on the device (file:///var/folders/3l/<< REMOVED >>/T/com.example.fab3/fab3p5qV45/fab3/) [ +1 ms] Sending to VM service: _deleteDevFS({fsName: fab3}) [ +258 ms] Ignored error while cleaning up DevFS: TimeoutException after 0:00:00.250000: Future not completed [ +2 ms] "flutter run" took 21,638ms. << REMOVED >>-macbookpro:fab3 << REMOVED >>$ ``` <!-- Run `flutter analyze` and attach any output of that command below. If there are any analysis errors, try resolving them before filing this issue. --> ``` << REMOVED >>-macbookpro:fab3 << REMOVED >>$ flutter analyze Analyzing fab3... No issues found! (ran in 1.4s) << REMOVED >>-macbookpro:fab3 << REMOVED >>$ ``` <!-- Finally, paste the output of running `flutter doctor -v` here. --> ``` << REMOVED >>-macbookpro:fab3 << REMOVED >>$ flutter doctor -v Downloading android-arm-profile/darwin-x64 tools... 0.6s Downloading android-arm-release/darwin-x64 tools... 0.4s Downloading android-arm64-profile/darwin-x64 tools... 0.6s Downloading android-arm64-release/darwin-x64 tools... 0.4s Downloading android-x64-profile/darwin-x64 tools... 0.4s Downloading android-x64-release/darwin-x64 tools... 0.3s [βœ“] Flutter (Channel master, v1.14.7-pre.83, on Mac OS X 10.14.6 18G2022, locale en-DE) β€’ Flutter version 1.14.7-pre.83 at /Users/<< REMOVED >>/Documents/f/flutter β€’ Framework revision << REMOVED >> (2 days ago), 2020-02-01 11:23:01 +0800 β€’ Engine revision << REMOVED >> β€’ Dart version 2.8.0 (build 2.8.0-dev.6.0 << REMOVED >>) [βœ“] Android toolchain - develop for Android devices (Android SDK version 29.0.2) β€’ Android SDK at /Users/<< REMOVED >>/Library/Android/sdk β€’ Android NDK location not configured (optional; useful for native profiling support) β€’ Platform android-29, build-tools 29.0.2 β€’ Java binary at: /Applications/Android Studio.app/Contents/jre/jdk/Contents/Home/bin/java β€’ Java version OpenJDK Runtime Environment (build 1.8.0_202-release-1483-b49-5587405) β€’ All Android licenses accepted. [βœ“] Xcode - develop for iOS and macOS (Xcode 11.2.1) β€’ Xcode at /Applications/Xcode 11.2.1.app/Contents/Developer β€’ Xcode 11.2.1, Build version 11B500 β€’ CocoaPods version 1.7.5 [βœ“] Chrome - develop for the web β€’ Chrome at /Applications/Google Chrome.app/Contents/MacOS/Google Chrome [βœ“] Android Studio (version 3.5) β€’ Android Studio at /Applications/Android Studio.app/Contents β€’ Flutter plugin version 39.0.3 β€’ Dart plugin version 191.8423 β€’ Java version OpenJDK Runtime Environment (build 1.8.0_202-release-1483-b49-5587405) [βœ“] Connected device (3 available) β€’ macOS β€’ macOS β€’ darwin-x64 β€’ Mac OS X 10.14.6 18G2022 β€’ Chrome β€’ chrome β€’ web-javascript β€’ Google Chrome 79.0.3945.130 β€’ Web Server β€’ web-server β€’ web-javascript β€’ Flutter Tools β€’ No issues found! << REMOVED >>-macbookpro:fab3 << REMOVED >>$ ``` </details>
framework,a: animation,f: material design,has reproducible steps,P2,found in release: 3.3,workaround available,found in release: 3.7,team-design,triaged-design
low
Critical
559,141,896
electron
Configurable tray vibrancy Mac OS
<!-- As an open source project with a dedicated but small maintainer team, it can sometimes take a long time for issues to be addressed so please be patient and we will get back to you as soon as we can. --> ### Preflight Checklist <!-- Please ensure you've completed the following steps by replacing [ ] with [x]--> * [x] I have read the [Contributing Guidelines](https://github.com/electron/electron/blob/master/CONTRIBUTING.md) for this project. * [x] I agree to follow the [Code of Conduct](https://github.com/electron/electron/blob/master/CODE_OF_CONDUCT.md) that this project adheres to. * [x] I have searched the issue tracker for a feature request that matches the one I want to file, without success. ### Problem Description <!-- Is your feature request related to a problem? Please add a clear and concise description of what the problem is. --> By default Mac OS adds some vibrancy to icons in the menu bar. If you are using colors in your icon, these colors will look different from the actual image. For example white looks transparent, not white. Also described in #18230 ### Proposed Solution <!-- Describe the solution you'd like in a clear and concise manner --> In native applications we can change this by extending on NSStatusBarButton and override the allowsVibrancy method. A configurable option on the Tray class would be awesome. ### Alternatives Considered <!-- A clear and concise description of any alternative solutions or features you've considered. --> By using no colors you can use template images, however some apps require colors in the icons. ### Additional Information <!-- Add any other context about the problem here. --> Below you find the code that disables the tray vibrancy (Objective-C) ``` @interface NSStatusBarButton (ControlTrayVibrancy) - (BOOL)allowsVibrancy; @end @implementation NSStatusBarButton (ControlTrayVibrancy) - (BOOL)allowsVibrancy { return NO; } @end ```
enhancement :sparkles:
low
Minor
559,201,424
flutter
AnimatedBuilder and Tween doesn't debounce same value
Internal issue b/148689043 Minimal example: ```dart import 'package:flutter/material.dart'; void main() { runApp(MyApp()); } class MyApp extends StatelessWidget { @override Widget build(BuildContext context) { return MyWidget(); } } class MyWidget extends StatefulWidget { State<MyWidget> createState() => MyState(); } class MyState extends State<MyWidget> with TickerProviderStateMixin { AnimationController controller; Animation animation; void initState() { super.initState(); controller = AnimationController(vsync: this, duration: Duration(seconds: 1)) ..forward(); animation = Tween(begin: 1.0, end: 0.0) .chain(CurveTween(curve: const Interval(0.5, 1.0))) .animate(controller.view); } @override Widget build(BuildContext context) { return AnimatedBuilder( animation: animation, builder: (_, __) { print(animation.value); return Container(); }); } } ``` When using Tween with Interval and AnimatedBuilder together, it's likely the animation value doesn't change in a time period. However, there is no debounce logic anywhere, causing unnecessary rebuild. A preliminary analysis: 1. AnimatedBuilder takes Listenable instead of Animation. So it doesn't have the concept of value and can't debounce. 2. When chaining Animatable, the attached listener is delegated to the parent by AnimationWithParentMixin. It also loses the chance for possible debounce.
framework,a: animation,c: performance,customer: dream (g3),has reproducible steps,P2,found in release: 3.7,found in release: 3.9,team-framework,triaged-framework
low
Minor
559,222,048
TypeScript
Starting overload selection in signature help doesn't account for discriminating arguments
*TS Template added by @mjbvz* **TypeScript Version**: 3.8.0-dev.20200201 **Search Terms** - overload --- Incorrect types sugestion with overload https://gitlab.com/kamidere-laboratory/duat/tree/testy overload is declarated in src/database/Controller.ts method create <!-- Please read our Rules of Conduct: https://opensource.microsoft.com/codeofconduct/ --> <!-- Please search existing issues to avoid creating duplicates. --> <!-- Also please test using the latest insiders build to make sure your issue has not already been fixed: https://code.visualstudio.com/insiders/ --> <!-- Use Help > Report Issue to prefill these. --> - VSCode Version: 1.41.1 - OS Version: Windows_NT x64 10.0.18362 Steps to Reproduce: 1. Write Database.create(DatabaseType.Graphite, {}) // now we get Influx overload xD 2. Change DatabaseType.Graphite to DatabaseType.Sqlite // now we get Sqlite overload :D 3. Change back to DatabaseType.Graphite // now we still get Sqlite overload :( https://youtu.be/a7FHxIItceA <!-- Launch with `code --disable-extensions` to check. --> Does this issue occur when all extensions are disabled?: Yes ![image](https://user-images.githubusercontent.com/11584396/73561198-dafc4c80-4458-11ea-8e71-a067b7c785c0.png) ![image](https://user-images.githubusercontent.com/11584396/73561209-e2bbf100-4458-11ea-9cac-e1796e9f19ce.png) ![image](https://user-images.githubusercontent.com/11584396/73561218-e9e2ff00-4458-11ea-8e81-bdf8a11058f3.png) ```typescript interface a { a: string; b: string; c: { a:number; b:string; } } interface b { a: string; b: string; c: { a: number; b: string; c: string[]; } } interface c { a: string; b: string; } enum d { "A" = 'a', "B" = 'b', "C" = 'c', } class testClass { constructor(arg1: d, arg2: a | b | c) { console.log(arg1, arg2) } static doSomething(arg1: d.A, arg2: a): testClass; static doSomething(arg1: d.B, arg2: b): testClass; static doSomething(arg1: d.C, arg2: c): testClass; static doSomething(arg1: d, arg2: a | b | c): testClass { return new this(arg1, arg2); } } testClass.doSomething(d.C, {}); ```
Suggestion,Experience Enhancement
low
Minor
559,233,079
flutter
[image] Provide some way to read and use image headers before deciding whether to fully decode the image
I suspect the right way to do this would be in Dart code, somewhat the way package:image does it, rather than round tripping to the engine. However, if Skia has really nice routines for this and we know we want to shunt the data over to the engine anyway, that may make more sense - as long as the data can be reused for an actual decode. /cc @alml /cc @gaaclarke
framework,c: performance,would be a good package,a: images,perf: memory,P2,team-framework,triaged-framework
low
Major
559,237,044
storybook
Export StoryContext type from Storybook core
**Is your feature request related to a problem? Please describe.** Currently, if you're running a project in Typescript and you need to add the StoryContext type to the story function, you have to import it from @storybook/addons. This feels like a weird dependency considering the project might not be using any addons. ``` export const MyStory = (context: StoryContext) => <MyComponent /> ``` **Describe the solution you'd like** ``` import { StoryContext } from '@storybook/[framework]' ``` **Are you able to assist bring the feature to reality?** No
feature request,typescript
low
Minor
559,277,331
pytorch
Operation Registration Error
## πŸ› Bug <!-- A clear and concise description of what the bug is. --> Issue with operator registration in aten. ## To Reproduce Steps to reproduce the behavior: I am attempting to follow the tutorial here: https://pytorch.org/tutorials/advanced/torch_script_custom_ops.html The following line is causing a compilation error on 1.4 that did not occur on 1.1. static auto registry = torch::RegisterOperators("my_ops::warp_perspective", &warp_perspective); <!-- If you have a code sample, error messages, stack traces, please provide it here as well --> ``` [1/2] /usr/local/cuda/bin/nvcc -DTORCH_EXTENSION_NAME=correlate -DTORCH_API_INCLUDE_EXTENSION_H -isystem /usr/local/lib/python3.6/dist-packages/torch/include -isystem /usr/local/lib/python3.6/dist-packages/torch/include/torch/csrc/api/include -isystem /usr/local/lib/python3.6/dist-packages/torch/include/TH -isystem /usr/local/lib/python3.6/dist-packages/torch/include/THC -isystem /usr/local/cuda/include -isystem /usr/include/python3.6m -D_GLIBCXX_USE_CXX11_ABI=0 -D__CUDA_NO_HALF_OPERATORS__ -D__CUDA_NO_HALF_CONVERSIONS__ -D__CUDA_NO_HALF2_OPERATORS__ --expt-relaxed-constexpr -gencode=arch=compute_70,code=sm_70 --compiler-options '-fPIC' -std=c++11 -c /workspace/second.pytorch/second/pytorch/models/correlate.cu -o correlate.cuda.o FAILED: correlate.cuda.o /usr/local/cuda/bin/nvcc -DTORCH_EXTENSION_NAME=correlate -DTORCH_API_INCLUDE_EXTENSION_H -isystem /usr/local/lib/python3.6/dist-packages/torch/include -isystem /usr/local/lib/python3.6/dist-packages/torch/include/torch/csrc/api/include -isystem /usr/local/lib/python3.6/dist-packages/torch/include/TH -isystem /usr/local/lib/python3.6/dist-packages/torch/include/THC -isystem /usr/local/cuda/include -isystem /usr/include/python3.6m -D_GLIBCXX_USE_CXX11_ABI=0 -D__CUDA_NO_HALF_OPERATORS__ -D__CUDA_NO_HALF_CONVERSIONS__ -D__CUDA_NO_HALF2_OPERATORS__ --expt-relaxed-constexpr -gencode=arch=compute_70,code=sm_70 --compiler-options '-fPIC' -std=c++11 -c /workspace/second.pytorch/second/pytorch/models/correlate.cu -o correlate.cuda.o /usr/local/lib/python3.6/dist-packages/torch/include/ATen/core/ivalue_inl.h(837): error: static assertion failed with "You are calling from with a type that it doesn't support, and isn't a potential custom class (ie: is an intrusive_ptr)" detected during: instantiation of "c10::IValue c10::ivalue::detail::from_(T, std::false_type) [with T=at::Tensor]" (844): here instantiation of "c10::IValue c10::ivalue::from(T) [with T=at::Tensor]" /usr/local/lib/python3.6/dist-packages/torch/include/ATen/core/boxing/kernel_functor.h(184): here instantiation of "c10::IValue c10::detail::return_to_ivalue<T,AllowDeprecatedTypes>(T &&) [with T=at::Tensor, AllowDeprecatedTypes=true]" /usr/local/lib/python3.6/dist-packages/torch/include/ATen/core/boxing/kernel_functor.h(208): here instantiation of "void c10::detail::push_outputs<OutputType, AllowDeprecatedTypes>::call(OutputType &&, c10::Stack *) [with OutputType=at::Tensor, AllowDeprecatedTypes=true]" /usr/local/lib/python3.6/dist-packages/torch/include/ATen/core/boxing/kernel_functor.h(236): here instantiation of "void c10::detail::wrap_kernel_functor_boxed<KernelFunctor, AllowDeprecatedTypes, c10::guts::enable_if_t<<expression>, void>>::call(c10::OperatorKernel *, c10::Stack *) [with KernelFunctor=c10::detail::WrapRuntimeKernelFunctor<c10::guts::decay_t<at::Tensor (const at::Tensor &, const at::Tensor &, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t)>>, AllowDeprecatedTypes=true]" /usr/local/lib/python3.6/dist-packages/torch/include/ATen/core/boxing/KernelFunction.h(172): here instantiation of "c10::KernelFunction c10::KernelFunction::makeFromUnboxedFunctor<AllowLegacyTypes,KernelFunctor>(std::unique_ptr<c10::OperatorKernel, std::default_delete<c10::OperatorKernel>>) [with AllowLegacyTypes=true, KernelFunctor=c10::detail::WrapRuntimeKernelFunctor<c10::guts::decay_t<at::Tensor (const at::Tensor &, const at::Tensor &, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t)>>]" /usr/local/lib/python3.6/dist-packages/torch/include/ATen/core/boxing/KernelFunction.h(315): here instantiation of "c10::KernelFunction c10::KernelFunction::makeFromUnboxedRuntimeFunction(FuncType *) [with AllowLegacyTypes=true, FuncType=at::Tensor (const at::Tensor &, const at::Tensor &, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t)]" /usr/local/lib/python3.6/dist-packages/torch/include/ATen/core/op_registration/op_registration.h(517): here instantiation of "c10::guts::enable_if_t<<expression>, c10::RegisterOperators &&> c10::RegisterOperators::op(const std::string &, FuncType *, c10::RegisterOperators::Options &&) && [with FuncType=at::Tensor (const at::Tensor &, const at::Tensor &, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t)]" /usr/local/lib/python3.6/dist-packages/torch/include/ATen/core/op_registration/op_registration.h(474): here instantiation of "c10::RegisterOperators::RegisterOperators(const std::string &, FuncType &&, c10::RegisterOperators::Options &&) [with FuncType=at::Tensor (*)(const at::Tensor &, const at::Tensor &, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t, int64_t)]" /workspace/second.pytorch/second/pytorch/models/correlate.cu(135): here ``` ## Expected behavior <!-- A clear and concise description of what you expected to happen. --> ## Environment Please copy and paste the output from our [environment collection script](https://raw.githubusercontent.com/pytorch/pytorch/master/torch/utils/collect_env.py) (or fill out the checklist below manually). You can get the script and run it with: ``` wget https://raw.githubusercontent.com/pytorch/pytorch/master/torch/utils/collect_env.py # For security purposes, please check the contents of collect_env.py before running it. python collect_env.py ``` - PyTorch Version (e.g., 1.0): 1.4 - OS (e.g., Linux): Linux Ubuntu 16.04 - How you installed PyTorch (`conda`, `pip`, source): Pip from homepage - Build command you used (if compiling from source): - Python version: 3.6 - CUDA/cuDNN version: 10.1 - GPU models and configuration: - Any other relevant information: ## Additional context <!-- Add any other context about the problem here. -->
triaged,module: dispatch
low
Critical
559,334,538
flutter
screenshot command confused by too many devices
Screenshot command gets confused by too many devices. ``` % flutter devices [~/Projects/flutter/flutter] 3 connected devices: Nexus 5 β€’ 0489410543877bdb β€’ android-arm β€’ Android 6.0.1 (API 23) Chrome β€’ chrome β€’ web-javascript β€’ Google Chrome 79.0.3945.130 Web Server β€’ web-server β€’ web-javascript β€’ Flutter Tools % flutter screenshot [~/Projects/flutter/flutter] No supported devices connected. Must have a connected device for screenshot type device ``` I then tried -d android, turns out that didn't work either (user error?) ``` % flutter screenshot -d android [~/Projects/flutter/flutter] No devices found with name or id matching 'android' ``` -d nexus worked.
tool,a: quality,has reproducible steps,P3,team-tool,triaged-tool,found in release: 3.13,found in release: 3.17
low
Critical
559,344,753
go
x/exp/apidiff: report change in package name
### What did you do? Compare two packages which are identical except for package name. ### What did you expect to see? `apidiff` should report a change if the package name is different. I'd argue that this is always an incompatible change. An interesting question is whether changing a `main` package to something else is compatible. From the perspective of importing packages, it's a compatible change, since `main` couldn't be imported before. However, anything that depends on a `main` package being built as a binary will break. ### What did you see instead? No difference reported. cc @bcmills @jba @matloob
NeedsFix
low
Minor
559,355,025
TypeScript
typedef imports should use default exports
<!-- 🚨 STOP 🚨 𝗦𝗧𝗒𝗣 🚨 𝑺𝑻𝑢𝑷 🚨 Half of all issues filed here are duplicates, answered in the FAQ, or not appropriate for the bug tracker. Please help us by doing the following steps before logging an issue: * Search: https://github.com/Microsoft/TypeScript/search?type=Issues * Read the FAQ, especially the "Common Feature Requests" section: https://github.com/Microsoft/TypeScript/wiki/FAQ --> ## Search Terms <!-- List of keywords you searched for before creating this issue. Write them down here so that others can find this suggestion more easily --> checkJs typedef import ## Suggestion <!-- A summary of what you'd like to see added or changed --> When the module `./core.controller` has a default export defined, I would like to be able to do: ``` /** * @typedef { import("./core.controller") } Chart */ ``` Instead of: ``` /** * @typedef { import("./core.controller").Chart } Chart */ ``` ## Use Cases <!-- What do you want to use this for? What shortcomings exist with current approaches? --> My file had defined `export default Chart;`. TypeScript made me add a duplicate `export`, which I don't want to have to add ``` export { Chart }; ``` This resulted in [lots of extra code](https://github.com/chartjs/Chart.js/pull/7030/commits/d9bf9142c2a223c6c0d4246c3d23f41178a7d483) It also took me an extremely long amount of time to figure out I needed to do this because [the documentation](https://www.typescriptlang.org/docs/handbook/type-checking-javascript-files.html#import-types) did not mention this as a limitation. ## Examples <!-- Show how this would be used and what the behavior would be --> Already shared in the above sections. ## Checklist My suggestion meets these guidelines: * [X] This wouldn't be a breaking change in existing TypeScript/JavaScript code * [X] This wouldn't change the runtime behavior of existing JavaScript code * [X] This could be implemented without emitting different JS based on the types of the expressions * [X] This isn't a runtime feature (e.g. library functionality, non-ECMAScript syntax with JavaScript output, etc.) * [X] This feature would agree with the rest of [TypeScript's Design Goals](https://github.com/Microsoft/TypeScript/wiki/TypeScript-Design-Goals).
Suggestion,In Discussion,Awaiting More Feedback
low
Critical
559,393,654
flutter
Replace codecvt in wstring_conversion.h
`codecvt`'s `wstring_convert` is deprecated in C++17, with no standard-based replacement. The suggested migration path in the warning message is [MultiByteToWideChar](https://docs.microsoft.com/en-us/windows/win32/api/stringapiset/nf-stringapiset-multibytetowidechar)/[WideCharToMultiByte](https://docs.microsoft.com/en-us/windows/win32/api/stringapiset/nf-stringapiset-widechartomultibyte). It's an uglier API, but if nothing else standards-based is introduced by the time we actually have to stop using it, that will presumably be our best option.
engine,platform-windows,P2,team-engine,triaged-engine
low
Minor
559,399,709
go
x/pkgsite: keyboard shortcut to report a typo to package author
<!-- Please answer these questions before submitting your issue. Thanks! For questions, please email [email protected]. --> ### What is the URL of the page with the issue? https://pkg.go.dev/github.com/kardianos/service?tab=doc#Interface ### What is your user agent? Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/68.0.3440.75 Safari/537.36 <!-- You can find your user agent here: https://www.whatismybrowser.com/detect/what-is-my-user-agent --> ### Screenshot <!-- Please paste a screenshot of the page. --> ![2020-02-04-021801_1216x766_scrot](https://user-images.githubusercontent.com/10779755/73699401-bfad6d80-46f4-11ea-9a54-7f3f86363be4.png) ### What did you do? <!-- If possible, provide a recipe for reproducing the error. --> I am reading documentation and see typo made by author of package. ### What did you expect to see? A keyboard shortcut to report a selected typo to the author of package. ### What did you see instead? No such shortcut.
NeedsInvestigation,pkgsite,UX
low
Critical
559,428,473
rust
llvm.dbg.value should be used instead of llvm.dbg.declare wherever possible.
*(I'm opening this issue because I can't find a pre-existing one)* `llvm.dbg.declare` describes the location in memory of a debuginfo variable, whereas `llvm.dbg.value` describes the value itself directly. Today we only use the former, which means that in debug mode, all named variables are placed on the stack, even if they're simple scalars (e.g. integers). Ideally, we'd use `llvm.dbg.value` in the same situations where we skip creating a stack slot (e.g. LLVM `alloca`), i.e. for scalars, vectors and pairs of scalars. <hr/> However, this is much harder than I expected, mostly due to LLVM being too eager to throw away `llvm.dbg.value` if computing the value can be avoided (i.e. it's not used by anything else). I think `llvm.dbg.declare` *only* fares better because at `opt-level=0`, the lack of SROA means `alloca`s are kept around pretty much completely intact. `FastISel` (used at `opt-level=0`) [throws away any non-trivial `llvm.dbg.value`](https://github.com/llvm/llvm-project/blob/30a8865142abe309bb9aceede2708c171a2904ea/llvm/lib/CodeGen/SelectionDAG/FastISel.cpp#L1445-L1446), but disabling it with `-C llvm-args=-fast-isel=0` only helps some simple cases (such as a reference to another stack variable - IMO `FastISel` should be improved to handle those, I don't see why it couldn't). In general, it looks like Instruction Selection ("`ISel`") in LLVM ignores `llvm.dbg.value`s while building all of the machine instructions for a BB, and only *afterwards* does it come back to the `llvm.dbg.value`s and lower them to `DBG_VALUE`, using the value *only* if it already exists (i.e. something else needs that same value, at runtime), and otherwise it leads to `<optimized out>` vars. Maybe the upcoming `GlobalISel` approach handles `llvm.dbg.value` better, but I would need to target `AArch64` to even try it out, from what I hear (I might still do it out of curiosity). <hr/> While investigating this I also came across https://github.com/rust-lang/rust/pull/8855#discussion_r374392128 - but setting `AlwaysPreserve` to `true` only keeps the debuginfo variable around, it doesn't help at all with keeping any value alive (so you end up with `<optimized out>` in the debugger, instead of the variable missing). I haven't seen anything that would make `llvm.dbg.value` keep the value alive so it's guaranteed to be available to the debugger, but if there is such a thing, it's probably the way to go, if we want to avoid relying on the stack so much. cc @nikomatsakis @michaelwoerister @hanna-kruppe
A-LLVM,A-debuginfo,C-enhancement,P-medium,T-compiler
low
Critical
559,430,350
godot
The custom icon for a Script Class is only shown in the node creation dialog before restarting the editor
**Godot version:** 3.2 stable **OS/device including version:** Windows 10 x64 version 1909 **Issue description:** The icon defined in a _Script Class_ is displayed in the node creation dialog but not in the scene tree dock. Reopening the project solves the issue. Node creation dialog | Scene tree dock :-------------------------:|:-------------------------: ![dialog](https://user-images.githubusercontent.com/37230539/73703312-40a53e80-46ce-11ea-9263-bbdf63586c45.png) | ![dock](https://user-images.githubusercontent.com/37230539/73703311-40a53e80-46ce-11ea-90f6-a9d4ed254e13.png) Also, several errors that seem to be related to image handling occur when using a _Script Class_, providing or not the optional icon. I guess those could be related, see #35895 **Steps to reproduce:** 1. create a new project. 2. create a GDScript script and open it. 3. register it as a type with the Godot icon: `class_name MyClass, "res://icon.png"` 4. save the script. 5. open the node creation dialog and search for the Script Class, it will be using the custom icon. 6. add the node to the tree. Now, instead of the custom icon, the Script Class appears with the icon from the class that it extends from. 8. save the scene. The editor will output several erros. 9. Reopen the project and open the scene created in the last step. The Script Class will now be using the custom icon in both the scene tree dock and node creation dialog.
bug,topic:editor,confirmed
low
Critical
559,447,606
storybook
Create storybook app for Adobe Experience Manager
**Is your feature request related to a problem? Please describe.** Many implementations for using storybook with AEM use React wrapper components. I’d like a solution where aem components are compiled down and rendered within storybook **Describe the solution you'd like** An AEM app option that renders aem components **Are you able to assist bring the feature to reality?** Yes and work is being done here: https://github.com/storybookjs/aem/tree/master/app/aem **Additional context** Add any other context or screenshots about the feature request here.
feature request
low
Minor