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
393,784,722
TypeScript
missing 'used before declaration' error within computed name of accessor or method
<!-- 🚨 STOP 🚨 𝗦𝗧𝗢𝗣 🚨 𝑺𝑻𝑶𝑷 🚨 Half of all issues filed here are duplicates, answered in the FAQ, or not appropriate for the bug tracker. Even if you think you've found a *bug*, please read the FAQ first, especially the Common "Bugs" That Aren't Bugs section! Please help us by doing the following steps before logging an issue: * Search: https://github.com/Microsoft/TypeScript/search?type=Issues * Read the FAQ: https://github.com/Microsoft/TypeScript/wiki/FAQ Please fill in the *entire* template below. --> <!-- Please try to reproduce the issue with `typescript@next`. It may have already been fixed. --> **TypeScript Version:** 3.3.0-dev.20181222 <!-- Search terms you tried before logging this (so others can find this issue more easily) --> **Search Terms:** **Code** Taken from the tests added in https://github.com/Microsoft/TypeScript/pull/29136 ```ts class D { static A = class extends D.B { [D.D]() {} // should be an error } static B = class {} static C = { [D.D]: 1, ...{get [D.D]() {return 0;}} // should be an error }; static D = ''; [foo]() {} // should have an error } let bar = { [foo]() {} // should have an error } let foo = 1; ``` **Expected behavior:** The lines marked with `// should be an error` should have an error. **Actual behavior:** Currently there's no error at all. After #29136 lands the lines with the comments are missing an error. **Playground Link:** https://agentcooper.github.io/typescript-play/#code/MYGwhgzhAEAi0G8BQ1XQgFzBglsaAgtALzSiQwCmAHhpQHYAmMsAdAEKIpo8DabsALoAKAJSIAvtAD009AAsA9gFcQjaACNK0MPWiUATgcUHuqCWfRZc+TqXJRJlzNjzQAwiS48+AwQC5oAEYAGkseVkiEAHNKDGh+ViExRAM45QM9AAYAbgkpWQUVNU1tXX0jE0sJHOdrN3hSAHIm2qkgA **Related Issues:** #29135
Bug
low
Critical
393,789,561
flutter
SliverAppBar with FlexibleSpaceBar and TabBar
## Steps to Reproduce https://docs.flutter.io/flutter/widgets/NestedScrollView-class.html Just use the same code in this example it have SliverAppBar with the TabBar and also SliverList as a content.In this example SliverAppBar doesnt have flexibleSpace i'm trying to use flexibleSpace with background there is no error but TabBar also having the background image .. TabBar shouldnt have background image its different and also title of FlexibleSpaceBar mixing with the TabBar's texts.. Flutter Doctor ``` [✓] Flutter (Channel stable, v1.0.0, on Linux, locale en_US.UTF-8) • Flutter version 1.0.0 at /home/taliptako/flutter • Framework revision 5391447fae (3 weeks ago), 2018-11-29 19:41:26 -0800 • Engine revision 7375a0f414 • Dart version 2.1.0 (build 2.1.0-dev.9.4 f9ebf21297) [✓] Android toolchain - develop for Android devices (Android SDK 28.0.3) • Android SDK at /home/taliptako/Android/Sdk • Android NDK location not configured (optional; useful for native profiling support) • Platform android-28, build-tools 28.0.3 • Java binary at: /opt/android-studio/jre/bin/java • Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1136-b06) • All Android licenses accepted. [✓] Android Studio (version 3.2) • Android Studio at /opt/android-studio • Flutter plugin version 31.3.1 • Dart plugin version 181.5656 • Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1136-b06) [✓] VS Code (version 1.30.1) • VS Code at /usr/share/code • Flutter extension version 2.21.1 [✓] Connected device (1 available) • Android SDK built for x86 • emulator-5554 • android-x86 • Android 9 (API 28) (emulator) • No issues found! ```
framework,f: scrolling,has reproducible steps,P2,found in release: 3.3,found in release: 3.7,team-framework,triaged-framework
low
Critical
393,797,520
TypeScript
TS2409 is an invalid error.
**TypeScript Version:** 3.3.0-dev.20181222 <!-- Search terms you tried before logging this (so others can find this issue more easily) --> **Search Terms:** TS2409 **Code** ```ts class A { constructor() { // return an arrow function return message => { this._message = message; return this; }; } bar() { console.log(this._message); } } const a = new A(); a('hello world').bar(); // 'hello world' ``` **Expected behavior:** No error. **Actual behavior:** src/test.ts(4,5): error TS2409: Return type of constructor signature must be assignable to the instance type of the class. I should be able to override the object returned from a constructor. > Normally constructors don't return a value, but they can choose to do so if they want to override the normal object creation process. Souce: [MDN - new operator](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/new#Description)
Suggestion,Awaiting More Feedback
low
Critical
393,811,059
rust
Remove first instance of item that matches predicate
There is currently no method on `Vec<T>` to remove the first item that matches a given predicate (closure). `retain` can of course be used remove *all* items that match a predicate, and `remove_item` to remove the first item *equal* to a given value, but that's it. What I'd like to see is something like the following method: ```rust fn remove_pred<F, T>(&mut self, f: F) -> bool where F: FnOnce(&T) -> bool { if let Some(pos) = self.iter().position(f) { self.remove(pos); true } else { false } } ``` I'm not sure if this is the most efficient way to accomplish this, however. Either way, writing the above code is not particularly ergonomic for what I envisage is a common task. (A quick Google seems to support this.) CC @Centril (for tagging and to give feedback)
A-collections,T-libs-api,C-feature-request
low
Major
393,845,047
go
proposal: net/http: support for digest authentication
I tried to add Digest access authentication support in http.Transport today. currently it is available for proxy servers. (compatible with basic auth,but not tested.) I hope the official can integrate it. After all, this is a base library. **Reference: https://github.com/delphinus/go-digest-request** *Mainly modified:* **Transport.roundTrip** **Transport.dialConn** ```golang package http type Transport struct { //... // digest auth fields nonceCount nonceCount authParts map[string]string needAuth bool basicAuth bool } const nonce = "nonce" const qop = "qop" const realm = "realm" const proxyAuthenticate = "Proxy-Authenticate" const proxyAuthorization = "Proxy-Authorization" var digestAuthHeanderswanted = []string{nonce, qop, realm} func getRandomString(l int) string { str := "0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ" bytes := []byte(str) var result []byte lstr := len(str) - 1 for i := 0; i < l; i++ { n := getRandomInt(0, lstr) result = append(result, bytes[n]) } return string(result) } var r = rand.New(rand.NewSource(time.Now().UnixNano())) func getRandomInt(min, max int) int { sub := max - min + 1 if sub <= 1 { return min } return min + r.Intn(sub) } func (t *Transport) makeAuthorization(proxy *url.URL, req *Request, parts map[string]string) string { username, password := "", "" if u := proxy.User; u != nil { username = u.Username() password, _ = u.Password() } ha1 := getMD5([]string{username, parts[realm], password}) ha2 := getMD5([]string{req.Method, req.URL.String()}) cnonce := getRandomString(16) nc := t.getNonceCount() response := getMD5([]string{ ha1, parts[nonce], nc, cnonce, parts[qop], ha2, }) return fmt.Sprintf( `Digest username="%s", realm="%s", nonce="%s", uri="%s", qop=%s, nc=%s, cnonce="%s", response="%s"`, username, parts[realm], parts[nonce], req.URL.String(), parts[qop], nc, cnonce, response, ) } func makeParts(resp *Response) (map[string]string, error) { headers := strings.Split(resp.Header[proxyAuthenticate][0], ",") parts := make(map[string]string, len(digestAuthHeanderswanted)) for _, r := range headers { for _, w := range digestAuthHeanderswanted { if strings.Contains(r, w) { parts[w] = strings.Split(r, `"`)[1] } } } if len(parts) != len(digestAuthHeanderswanted) { return nil, fmt.Errorf("header is invalid: %+v", parts) } return parts, nil } type nonceCount int func (nc nonceCount) String() string { c := int(nc) return fmt.Sprintf("%08x", c) } func getMD5(texts []string) string { h := md5.New() _, _ = io.WriteString(h, strings.Join(texts, ":")) return hex.EncodeToString(h.Sum(nil)) } func (t *Transport) getNonceCount() string { t.nonceCount++ return t.nonceCount.String() } func (t *Transport) roundTrip(req *Request) (*Response, error) { //... isHTTP := scheme == "http" || scheme == "https" if isHTTP { if scheme == "http" && t.needAuth && !t.basicAuth { p, err := t.Proxy(req) if err == nil { auth := t.makeAuthorization(p, req, t.authParts) req.Header.Add(proxyAuthorization, auth) } } //... } //... for { //... if err == nil { if resp.StatusCode == 407 && req.URL.Scheme == "http" { if strings.HasPrefix(resp.Header[proxyAuthenticate][0], "Basic") { t.basicAuth = true } else { t.basicAuth = false t.authParts, err = makeParts(resp) if err != nil { return nil, err } } t.needAuth = true return t.roundTrip(req) } return resp, nil } //... } } func (t *Transport) dialConn(ctx context.Context, cm connectMethod) (*persistConn, error) { // Proxy setup. switch { //... case cm.targetScheme == "http": pconn.isProxy = true if t.needAuth && t.basicAuth { if pa := cm.proxyAuth(); pa != "" { pconn.mutateHeaderFunc = func(h Header) { h.Set(proxyAuthorization, pa) } } } case cm.targetScheme == "https": conn := pconn.conn hdr := t.ProxyConnectHeader if hdr == nil { hdr = make(Header) } connectReq := &Request{ Method: "CONNECT", URL: &url.URL{Opaque: cm.targetAddr}, Host: cm.targetAddr, Header: hdr, } if t.needAuth { auth := "" if t.basicAuth { if pa := cm.proxyAuth(); pa != "" { auth = pa } } else { auth = t.makeAuthorization(cm.proxyURL, connectReq, t.authParts) } connectReq.Header.Add(proxyAuthorization, auth) } connectReq.Write(conn) br := bufio.NewReader(conn) resp, err := ReadResponse(br, connectReq) if err != nil { conn.Close() return nil, err } if resp.StatusCode != 200 { if resp.StatusCode == 407 { t.authParts, err = makeParts(resp) if err != nil { return nil, err } t.needAuth = true return t.dialConn(ctx, cm) } //... } } //... } ```
Proposal
low
Critical
393,851,350
TypeScript
Autocomplete: Prefer matches with the same capitalisation
## Suggestion When there are autocomplete matches with the same or similar name but different capitalisation, the matching capitalisation should be preferred. Or the match should be at least consistent - currently, there is no clear behavior. ## Examples How it looks when it doesn't work: ![unbenannt](https://user-images.githubusercontent.com/17641229/50396774-48c14980-076c-11e9-95ff-44dd8bd56d7c.PNG) How it looks when it works: ![unbenannt2](https://user-images.githubusercontent.com/17641229/50396816-9047d580-076c-11e9-8373-d2afb7a9d875.PNG) ## 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,Domain: Completion Lists
low
Minor
393,909,732
rust
sparc64: passing structures with floats in registers should use floating point registers
`librustc_target/abi/call/sparc64.rs` passes structures as `Uniform`, which get allocated to stack or "promoted" to integer registers by LLVM. According to the SPARC v9 64 Bit ABI definition in the SPARC Compliance Definition, floating point members should be promoted into floating point registers instead of integer registers, see page 47 in SCD 2.4.1. This also affects returning of structures, and makes `run-pass/structs-enums/struct-return.rs` fail. gcc returns the members of `struct Floats` in `%d0`, `%o1` and `%d4`, whereas Rust expects the members to be in `%o0`, `%o1` and `%o2`. I guess we need to create a `CastTarget` that contains a mixture of Int and Float registers in the prefix with an empty tail. As structures with at most 256 bits (8 * 32 bits) can be returned in registers, the eight class items in the prefix are enough. I expect that the structures needs to be flattened, so a structure containing a structure containing a float also has the float value passed in a floating point register. Unaligned Floats and Doubles (with `__attribute__((packed))`) end up being put in integer registers by `gcc` and `clang`, whereas "accidently" aligned floating point members get passed in integer registers by `gcc` and floating point registers by `clang`: ```c++ // Structure without "packed" declaration struct str1 { float f; // passed in %f0 int i; // passed in least-significant half of %o0 }; // Structure that gets misalignment due to packed declaration struct str2 { short s; // passed in bits 48..63 of %o0 float f; // passed in bits 16..47 of %o0 (due to misalignment) } __attribute__((packed)); // Layout exactly as str1, but has alignof() 1. Different behaviour between gcc 8.2 and clang 7.0 struct str3 { float f; // passed in most-significant half of %o0 (gcc) or in %f0 (clang) int i; // passed in least-significant half of %o0 } __attribute__((packed)); ```
T-compiler,O-SPARC,C-bug
low
Major
393,915,843
vscode
RTL layout for paragraphs starting with
#11770 is so vague that I can't even understand what is the requested feature... a clear and achievable change to VSCode for RTL is I believe starts from this, please make a paragraph RTL if it starts with RTL text. Steps to reproduce: Put this on gedit: ``` متن متن متن متن text text text text ``` ![image](https://user-images.githubusercontent.com/833473/50404768-23125f80-07c1-11e9-973e-7a477690be5b.png) Now try the same with VSCode ![image](https://user-images.githubusercontent.com/833473/50404780-44734b80-07c1-11e9-92b1-04a457bf90a0.png) Expected: Easily achievable by adding `dir=auto` to div element and remove `dir=ltr` from the span, I just did it for the first line ![image](https://user-images.githubusercontent.com/833473/50404833-da0edb00-07c1-11e9-9294-86bda463d797.png) Alternatively, you can put a switch (toggle-able with command switch, something like > Toggle Direction) and apply document direction switch to whole document and detect whether a document needs RTL direction behind the scene, if you don't like per paragraph direction setting.
feature-request,editor-RTL
medium
Critical
393,938,487
TypeScript
Typecast for generic hashes not works as expected
**TypeScript Version:** 3.2.2 **Search Terms:** * object generic **Code** ```ts type Scope = { $scan: () => void; } type HashItemAsFunction<S> = <S extends Scope>(element: HTMLElement, scope: S) => void; type HashItemAsObject<S extends Scope> = { link?: HashItemAsFunction<S>; }; type HashItem<S extends Scope> = HashItemAsFunction<S> | HashItemAsObject<S>; interface HashDefinitionValues<S extends Scope> { [Identifier: string]: HashItem<S>; } type HashDefinition<S extends Scope = Scope> = { [key: string]: HashDefinitionValues<S>; } class Test { static hash: HashDefinition; } // Module code type ModuleScope = Scope & { myKey: string; } (Test.hash as HashDefinition<ModuleScope>).subType1.child = { link: (element, scope) => { scope.myKey = '123'; scope.$scan(); }, }; (Test.hash.subType1 as HashDefinitionValues<ModuleScope>).child = { link: (element, scope) => { scope.myKey = '123'; scope.$scan(); }, }; (Test.hash.subType1.child as HashItem<ModuleScope>) = { link: (element, scope) => { scope.myKey = '123'; scope.$scan(); }, }; ``` **Expected behavior:** One of type casts should provide `ModuleScope` type to the `scope` variable, but it only provides base `Scope` in any case. **Actual behavior:** ``` src/test.ts:33:15 - error TS2339: Property 'myKey' does not exist on type 'S'. 33 scope.myKey = '123'; ~~~~~ src/test.ts:40:15 - error TS2339: Property 'myKey' does not exist on type 'S'. 40 scope.myKey = '123'; ~~~~~ src/test.ts:47:15 - error TS2339: Property 'myKey' does not exist on type 'S'. 47 scope.myKey = '123'; ~~~~~ ``` **Playground Link:** https://goo.gl/4kQHBW **Related Issues:** Didn't find any.
Bug,Domain: Contextual Types
low
Critical
393,943,270
rust
Bad mask behavior with pcmp + pblendvb
```rust pub unsafe fn foo(y: __m128i, mut x: __m128i) { let mut mask = _mm_cmplt_epi32(x, y); while _mm_extract_epi32(mask, 0) == 0 { x = _mm_blendv_epi8(y, x, mask); mask = _mm_cmplt_epi32(x, y); } } ``` I would expect something like this as the loop: ```asm LBB0_1: movdqa %xmm2, %xmm3 movdqa %xmm1, %xmm2 blendvps %xmm0, %xmm3, %xmm2 movdqa %xmm1, %xmm0 pcmpgtd %xmm2, %xmm0 pextrb $0, %xmm0, %eax testb $1, %al je LBB0_1 ``` but it produces: ```asm LBB0_1: movdqa %xmm2, %xmm3 pslld $31, %xmm0 ; unnecessarily selects the lowest bit movdqa %xmm1, %xmm2 blendvps %xmm0, %xmm3, %xmm2 movdqa %xmm1, %xmm0 pcmpgtd %xmm2, %xmm0 pextrb $0, %xmm0, %eax testb $1, %al je LBB0_1 ``` https://play.rust-lang.org/?version=nightly&mode=release&edition=2018&gist=9b7d2b661dbd2cca154b878cbce30184 This is as minimal an example I could find. More minimal code doesn't reproduce it. ```console $ rustc --version --verbose rustc 1.33.0-nightly (e40548bc4 2018-12-21) binary: rustc commit-hash: e40548bc43f2a0375a466c98e174e71561dc98d2 commit-date: 2018-12-21 host: x86_64-apple-darwin release: 1.33.0-nightly LLVM version: 8.0
A-LLVM,I-slow,T-compiler
low
Major
393,947,978
flutter
[video_player plugin]: Handle multiple calls to initialize better.
<!-- 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.io/ * https://docs.flutter.io/ * 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.io/bug-reports/ --> ## Steps to Reproduce <!-- Please tell us exactly how to reproduce the problem you are running into. Please attach a small application (ideally just one main.dart file) that reproduces the problem. You could use https://gist.github.com/ for this. If the problem is with your application's rendering, then please attach a screenshot and explain what the problem is. --> videoplayer example: <details> <summary>code sample</summary> ```dart import 'package:flutter/material.dart'; import 'package:video_player/video_player.dart'; void main() => runApp(MyApp()); class MyApp extends StatelessWidget { // This widget is the root of your application. @override Widget build(BuildContext context) { return MaterialApp( title: 'Flutter Demo', theme: ThemeData( // This is the theme of your application. // // Try running your application with "flutter run". You'll see the // application has a blue toolbar. Then, without quitting the app, try // changing the primarySwatch below to Colors.green and then invoke // "hot reload" (press "r" in the console where you ran "flutter run", // or simply save your changes to "hot reload" in a Flutter IDE). // Notice that the counter didn't reset back to zero; the application // is not restarted. primarySwatch: Colors.blue, ), home: MyHomePage(), ); } } class MyHomePage extends StatefulWidget { @override _MyHomePageState createState() => _MyHomePageState(); } class _MyHomePageState extends State<MyHomePage> { VideoPlayerController _controller; @override void initState() { // TODO: implement initState super.initState(); _controller = VideoPlayerController.network( 'https://s3.ap-south-1.amazonaws.com/mastermentorsteststack-destination-fr9w5wh3t94i/db3dde26-6f40-4634-8762-6d643a65c800/hls/1+-+Introducing+AWS+Cloud9+-+AWS+Online+Tech+Talks.m3u8') ..addListener(() { setState(() {}); }) ..initialize(); } @override Widget build(BuildContext context) { return Scaffold( appBar: AppBar( title: Text('VideoPlayer example'), ), floatingActionButton: FloatingActionButton(onPressed: () { _controller.initialize(); _controller.play(); }), body: Center( child: VideoPlayer(_controller), ), ); } } ``` </details> video stream url: https://s3.ap-south-1.amazonaws.com/mastermentorsteststack-destination-fr9w5wh3t94i/db3dde26-6f40-4634-8762-6d643a65c800/hls/1+-+Introducing+AWS+Cloud9+-+AWS+Online+Tech+Talks.m3u8 result: https://www.youtube.com/embed/3v5V1UFyywI The video_player is playing all the streams at once :( ## Logs <!-- 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. --> <details> <summary>logs</summary> ```bash ........ ........ ........ export REMOVE_HG_FROM_RESOURCES=YES export REMOVE_SVN_FROM_RESOURCES=YES export RESOURCE_RULES_REQUIRED=YES export REZ_COLLECTOR_DIR=/Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner .build/ResourceManagerResources export REZ_OBJECTS_DIR=/Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.b uild/ResourceManagerResources/Objects export REZ_SEARCH_PATHS="/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos " export SCAN_ALL_SOURCE_FILES_FOR_INCLUDES=NO export SCRIPTS_FOLDER_PATH=Runner.app/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 SCRIPT_OUTPUT_STREAM_FILE=/var/folders/82/xsf0y__10zd5_f31wg943qxc0000gn/T/flutter_build_log_pipe.zkAjyd/pipe_to_stdout export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS12.1.sdk export SDK_DIR=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS12.1.sdk export SDK_DIR_iphoneos12_1=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS12.1.sdk export SDK_NAME=iphoneos12.1 export SDK_NAMES=iphoneos12.1 export SDK_PRODUCT_BUILD_VERSION=16B91 export SDK_VERSION=12.1 export SDK_VERSION_ACTUAL=120100 export SDK_VERSION_MAJOR=120000 export SDK_VERSION_MINOR=100 export SED=/usr/bin/sed export SEPARATE_STRIP=NO export SEPARATE_SYMBOL_EDIT=NO export SET_DIR_MODE_OWNER_GROUP=YES export SET_FILE_MODE_OWNER_GROUP=NO export SHALLOW_BUNDLE=YES export SHARED_DERIVED_FILE_DIR=/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/DerivedSources export SHARED_FRAMEWORKS_FOLDER_PATH=Runner.app/SharedFrameworks export SHARED_PRECOMPS_DIR=/Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/PrecompiledHeaders export SHARED_SUPPORT_FOLDER_PATH=Runner.app/SharedSupport export SKIP_INSTALL=NO export SOURCE_ROOT=/Users/raveesh/Desktop/hls_poc/ios export SRCROOT=/Users/raveesh/Desktop/hls_poc/ios export STRINGS_FILE_OUTPUT_ENCODING=binary export STRIP_BITCODE_FROM_COPIED_FILES=YES export STRIP_INSTALLED_PRODUCT=YES export STRIP_STYLE=all export STRIP_SWIFT_SYMBOLS=YES export SUPPORTED_DEVICE_FAMILIES=1,2 export SUPPORTED_PLATFORMS="iphonesimulator iphoneos" export SUPPORTS_TEXT_BASED_API=NO export SWIFT_OBJC_BRIDGING_HEADER=Runner/Runner-Bridging-Header.h export SWIFT_OPTIMIZATION_LEVEL=-Onone export SWIFT_PLATFORM_TARGET_PREFIX=ios export SWIFT_SWIFT3_OBJC_INFERENCE=On export SWIFT_VERSION=4.0 export SYMROOT=/Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Products export SYSTEM_ADMIN_APPS_DIR=/Applications/Utilities export SYSTEM_APPS_DIR=/Applications export SYSTEM_CORE_SERVICES_DIR=/System/Library/CoreServices export SYSTEM_DEMOS_DIR=/Applications/Extras export SYSTEM_DEVELOPER_APPS_DIR=/Applications/Xcode.app/Contents/Developer/Applications export SYSTEM_DEVELOPER_BIN_DIR=/Applications/Xcode.app/Contents/Developer/usr/bin export SYSTEM_DEVELOPER_DEMOS_DIR="/Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built Examples" export SYSTEM_DEVELOPER_DIR=/Applications/Xcode.app/Contents/Developer export SYSTEM_DEVELOPER_DOC_DIR="/Applications/Xcode.app/Contents/Developer/ADC Reference Library" export SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR="/Applications/Xcode.app/Contents/Developer/Applications/Graphics Tools" export SYSTEM_DEVELOPER_JAVA_TOOLS_DIR="/Applications/Xcode.app/Contents/Developer/Applications/Java Tools" export SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR="/Applications/Xcode.app/Contents/Developer/Applications/Performance Tools" export SYSTEM_DEVELOPER_RELEASENOTES_DIR="/Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes" export SYSTEM_DEVELOPER_TOOLS=/Applications/Xcode.app/Contents/Developer/Tools export SYSTEM_DEVELOPER_TOOLS_DOC_DIR="/Applications/Xcode.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools" export SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR="/Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools" export SYSTEM_DEVELOPER_USR_DIR=/Applications/Xcode.app/Contents/Developer/usr export SYSTEM_DEVELOPER_UTILITIES_DIR=/Applications/Xcode.app/Contents/Developer/Applications/Utilities export SYSTEM_DOCUMENTATION_DIR=/Library/Documentation export SYSTEM_KEXT_INSTALL_PATH=/System/Library/Extensions export SYSTEM_LIBRARY_DIR=/System/Library export TAPI_VERIFY_MODE=ErrorsOnly export TARGETED_DEVICE_FAMILY=1,2 export TARGETNAME=Runner export TARGET_BUILD_DIR=/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos export TARGET_NAME=Runner export TARGET_TEMP_DIR=/Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.b uild export TEMP_DIR=/Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build export TEMP_FILES_DIR=/Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.bu ild export TEMP_FILE_DIR=/Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.bui ld export TEMP_ROOT=/Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex export TOOLCHAINS=com.apple.dt.toolchain.XcodeDefault export TOOLCHAIN_DIR=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain export TREAT_MISSING_BASELINES_AS_TEST_FAILURES=NO export UID=501 export UNLOCALIZED_RESOURCES_FOLDER_PATH=Runner.app export UNSTRIPPED_PRODUCT=NO export USER=raveesh export USER_APPS_DIR=/Users/raveesh/Applications export USER_LIBRARY_DIR=/Users/raveesh/Library export USE_DYNAMIC_NO_PIC=YES export USE_HEADERMAP=YES export USE_HEADER_SYMLINKS=NO export VALIDATE_PRODUCT=NO export VALID_ARCHS="arm64 arm64e armv7 armv7s" export VERBOSE_PBXCP=NO export VERBOSE_SCRIPT_LOGGING=YES export VERSIONING_SYSTEM=apple-generic export VERSIONPLIST_PATH=Runner.app/version.plist export VERSION_INFO_BUILDER=raveesh export VERSION_INFO_FILE=Runner_vers.c export VERSION_INFO_STRING="\"@(#)PROGRAM:Runner PROJECT:Runner-1\"" export WRAPPER_EXTENSION=app export WRAPPER_NAME=Runner.app export WRAPPER_SUFFIX=.app export WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES=NO export XCODE_APP_SUPPORT_DIR=/Applications/Xcode.app/Contents/Developer/Library/Xcode export XCODE_PRODUCT_BUILD_VERSION=10B61 export XCODE_VERSION_ACTUAL=1010 export XCODE_VERSION_MAJOR=1000 export XCODE_VERSION_MINOR=1010 export XPCSERVICES_FOLDER_PATH=Runner.app/XPCServices export YACC=yacc export arch=arm64 export variant=normal /bin/sh -c /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/Script-3B06 AD1E1E4923F5004D2608.sh PhaseScriptExecution [CP]\ Embed\ Pods\ Frameworks /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/Script-7A55FD3C ADD702B0EBF975A2.sh cd /Users/raveesh/Desktop/hls_poc/ios /bin/sh -c /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/Script-7A55 FD3CADD702B0EBF975A2.sh mkdir -p /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks rsync --delete -av --filter P .*.?????? --filter "- CVS/" --filter "- .svn/" --filter "- .git/" --filter "- .hg/" --filter "- Headers" --filter "- PrivateHeaders" --filter "- Modules" "/Users/raveesh/Desktop/hls_poc/ios/Pods/../.symlinks/flutter/ios/Flutter.framework" "/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks" building file list ... done Flutter.framework/ Flutter.framework/Flutter Flutter.framework/Info.plist Flutter.framework/icudtl.dat sent 70200368 bytes received 92 bytes 46800306.67 bytes/sec total size is 70191497 speedup is 1.00 Stripped /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/Flutter.framework/Flutter of architectures: x86_64 armv7 Code Signing /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/Flutter.framework with Identity iPhone Developer: [email protected] (86B5C9HGGA) /usr/bin/codesign --force --sign BF4DCF0002FC09FBCFC86162E62F9122A34F7126 --preserve-metadata=identifier,entitlements '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/Flutter.framework' rsync --delete -av --filter P .*.?????? --filter "- CVS/" --filter "- .svn/" --filter "- .git/" --filter "- .hg/" --filter "- Headers" --filter "- PrivateHeaders" --filter "- Modules" "/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/video_player/video_player.framework" "/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks" building file list ... done deleting video_player.framework/_CodeSignature/CodeResources deleting video_player.framework/_CodeSignature/ video_player.framework/ video_player.framework/video_player sent 261296 bytes received 48 bytes 522688.00 bytes/sec total size is 261816 speedup is 1.00 Stripped /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/video_player.framework/video_player of architectures: armv7 Code Signing /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/video_player.framework with Identity iPhone Developer: [email protected] (86B5C9HGGA) /usr/bin/codesign --force --sign BF4DCF0002FC09FBCFC86162E62F9122A34F7126 --preserve-metadata=identifier,entitlements '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/video_player.framework' CodeSign /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/Flutter.framework cd /Users/raveesh/Desktop/hls_poc/ios export CODESIGN_ALLOCATE=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/codesign_allocate export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/raveesh/.nvm/v ersions/node/v8.9.1/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/usr/local/MacGPG2/bin:/Users/raveesh/Library/Android/sdk/platform-tools:/Users/raveesh/MyCode/SDK s/Flutter/bin:/Users/raveesh/MyCode/SDKs/Flutter/bin/cache/dart-sdk/bin" Signing Identity: "iPhone Developer: [email protected] (86B5C9HGGA)" /usr/bin/codesign --force --sign BF4DCF0002FC09FBCFC86162E62F9122A34F7126 --preserve-metadata=identifier,entitlements,flags --timestamp=none /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/Flutter.framework /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/Flutter.framework: replacing existing signature Touch /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app cd /Users/raveesh/Desktop/hls_poc/ios export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/raveesh/.nvm/v ersions/node/v8.9.1/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/usr/local/MacGPG2/bin:/Users/raveesh/Library/Android/sdk/platform-tools:/Users/raveesh/MyCode/SDK s/Flutter/bin:/Users/raveesh/MyCode/SDKs/Flutter/bin/cache/dart-sdk/bin" /usr/bin/touch -c /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app CopySwiftLibs /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app cd /Users/raveesh/Desktop/hls_poc/ios export CODESIGN_ALLOCATE=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/codesign_allocate export DEVELOPER_DIR=/Applications/Xcode.app/Contents/Developer export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/raveesh/.nvm/v ersions/node/v8.9.1/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/usr/local/MacGPG2/bin:/Users/raveesh/Library/Android/sdk/platform-tools:/Users/raveesh/MyCode/SDK s/Flutter/bin:/Users/raveesh/MyCode/SDKs/Flutter/bin/cache/dart-sdk/bin" export SDKROOT=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS12.1.sdk builtin-swiftStdLibTool --copy --verbose --sign BF4DCF0002FC09FBCFC86162E62F9122A34F7126 --scan-executable /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Runner --scan-folder /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks --scan-folder /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/PlugIns --scan-folder /Users/raveesh/Desktop/hls_poc/ios/Flutter/Flutter.framework --scan-folder /Users/raveesh/Desktop/hls_poc/ios/Flutter/App.framework --scan-folder /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Pods_Runner.framework --platform iphoneos --toolchain /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain --destination /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks --strip-bitcode --resource-destination /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app --resource-library libswiftRemoteMirror.dylib Requested Swift ABI version based on scanned binaries: 6 libswiftCore.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCore.dylib libswiftCoreAudio.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreAudio.dylib libswiftCoreFoundation.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreFoundation.dylib libswiftCoreGraphics.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreGraphics.dylib libswiftCoreImage.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreImage.dylib libswiftCoreMedia.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreMedia.dylib libswiftDarwin.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDarwin.dylib libswiftDispatch.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDispatch.dylib libswiftFoundation.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftFoundation.dylib libswiftMetal.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftMetal.dylib libswiftObjectiveC.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftObjectiveC.dylib libswiftQuartzCore.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftQuartzCore.dylib libswiftUIKit.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftUIKit.dylib libswiftos.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftos.dylib libswiftRemoteMirror.dylib is up to date at /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/libswiftRemoteMirror.dylib Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCore.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCore.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCore.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCore.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCore.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCore.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCore.dylib is unchanged; keeping original Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreMedia.dylib Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDarwin.dylibProbing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreFoundation.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreMedia.dylib' /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDarwin.dylib' /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreFoundation.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreAudio.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreAudio.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreMedia.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreMedia.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreFoundation.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreFoundation.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreAudio.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreAudio.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDarwin.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDarwin.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDarwin.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDarwin.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreMedia.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreMedia.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDarwin.dylib is unchanged; keeping original Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreGraphics.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreGraphics.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreFoundation.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreFoundation.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreMedia.dylib is unchanged; keeping original Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreImage.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreImage.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreGraphics.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreGraphics.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreFoundation.dylib is unchanged; keeping original Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDispatch.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDispatch.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreImage.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreImage.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreAudio.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreAudio.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDispatch.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDispatch.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreAudio.dylib is unchanged; keeping original Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftFoundation.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftFoundation.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftFoundation.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftFoundation.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreGraphics.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreGraphics.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreGraphics.dylib is unchanged; keeping original Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftMetal.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftMetal.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreImage.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreImage.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftMetal.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftMetal.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDispatch.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDispatch.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftCoreImage.dylib is unchanged; keeping original Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftObjectiveC.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftObjectiveC.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftDispatch.dylib is unchanged; keeping original Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftQuartzCore.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftQuartzCore.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftObjectiveC.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftObjectiveC.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftQuartzCore.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftQuartzCore.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftMetal.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftMetal.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftMetal.dylib is unchanged; keeping original Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftUIKit.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftUIKit.dylib' Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftUIKit.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftUIKit.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftObjectiveC.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftObjectiveC.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftFoundation.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftFoundation.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftObjectiveC.dylib is unchanged; keeping original Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftos.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftos.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftFoundation.dylib is unchanged; keeping original Codesigning /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftos.dylib /usr/bin/codesign '--force' '--sign' 'BF4DCF0002FC09FBCFC86162E62F9122A34F7126' '--verbose' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftos.dylib' Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftQuartzCore.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftQuartzCore.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftQuartzCore.dylib is unchanged; keeping original Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftUIKit.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftUIKit.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftUIKit.dylib is unchanged; keeping original Probing signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftos.dylib /usr/bin/codesign '-r-' '--display' '/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftos.dylib' Code signature of /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app/Frameworks/libswiftos.dylib is unchanged; keeping original CodeSign /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app cd /Users/raveesh/Desktop/hls_poc/ios export CODESIGN_ALLOCATE=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/codesign_allocate export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/raveesh/.nvm/v ersions/node/v8.9.1/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/usr/local/MacGPG2/bin:/Users/raveesh/Library/Android/sdk/platform-tools:/Users/raveesh/MyCode/SDK s/Flutter/bin:/Users/raveesh/MyCode/SDKs/Flutter/bin/cache/dart-sdk/bin" Signing Identity: "iPhone Developer: [email protected] (86B5C9HGGA)" Provisioning Profile: "iOS Team Provisioning Profile: com.example.hlsPoc" (bb3cf2fe-6fea-4dcd-a132-5f20b8c9acd2) /usr/bin/codesign --force --sign BF4DCF0002FC09FBCFC86162E62F9122A34F7126 --entitlements /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/Runner.app. xcent --timestamp=none /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app Validate /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app cd /Users/raveesh/Desktop/hls_poc/ios export PATH="/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Users/raveesh/.nvm/v ersions/node/v8.9.1/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/usr/local/MacGPG2/bin:/Users/raveesh/Library/Android/sdk/platform-tools:/Users/raveesh/MyCode/SDK s/Flutter/bin:/Users/raveesh/MyCode/SDKs/Flutter/bin/cache/dart-sdk/bin" export PRODUCT_TYPE=com.apple.product-type.application builtin-validationUtility /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app ** BUILD SUCCEEDED ** [ +180 ms] └─Compiling, linking and signing... (completed) [ ] Starting Xcode build... (completed) [ +19 ms] Xcode build done. 16.0s [ +1 ms] executing: [/Users/raveesh/Desktop/hls_poc/ios/] /usr/bin/env xcrun xcodebuild -configuration Debug VERBOSE_SCRIPT_LOGGING=YES -workspace Runner.xcworkspace -scheme Runner BUILD_DIR=/Users/raveesh/Desktop/hls_poc/build/ios -sdk iphoneos SCRIPT_OUTPUT_STREAM_FILE=/var/folders/82/xsf0y__10zd5_f31wg943qxc0000gn/T/flutter_build_log_pipe.zkAjyd/pipe_to_stdout -showBuildSettings [+2228 ms] Exit code 0 from: /usr/bin/env xcrun xcodebuild -configuration Debug VERBOSE_SCRIPT_LOGGING=YES -workspace Runner.xcworkspace -scheme Runner BUILD_DIR=/Users/raveesh/Desktop/hls_poc/build/ios -sdk iphoneos SCRIPT_OUTPUT_STREAM_FILE=/var/folders/82/xsf0y__10zd5_f31wg943qxc0000gn/T/flutter_build_log_pipe.zkAjyd/pipe_to_stdout -showBuildSettings [ +1 ms] Build settings from command line: BUILD_DIR = /Users/raveesh/Desktop/hls_poc/build/ios SCRIPT_OUTPUT_STREAM_FILE = /var/folders/82/xsf0y__10zd5_f31wg943qxc0000gn/T/flutter_build_log_pipe.zkAjyd/pipe_to_stdout SDKROOT = iphoneos12.1 VERBOSE_SCRIPT_LOGGING = YES Build settings for action build and target Runner: ACTION = build AD_HOC_CODE_SIGNING_ALLOWED = NO ALTERNATE_GROUP = staff ALTERNATE_MODE = u+w,go-w,a+rX ALTERNATE_OWNER = raveesh ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES = NO ALWAYS_SEARCH_USER_PATHS = NO ALWAYS_USE_SEPARATE_HEADERMAPS = NO APPLE_INTERNAL_DEVELOPER_DIR = /AppleInternal/Developer APPLE_INTERNAL_DIR = /AppleInternal APPLE_INTERNAL_DOCUMENTATION_DIR = /AppleInternal/Documentation APPLE_INTERNAL_LIBRARY_DIR = /AppleInternal/Library APPLE_INTERNAL_TOOLS = /AppleInternal/Developer/Tools APPLICATION_EXTENSION_API_ONLY = NO APPLY_RULES_IN_COPY_FILES = NO ARCHS = arm64 ARCHS_STANDARD = arm64 ARCHS_STANDARD_32_64_BIT = armv7 arm64 ARCHS_STANDARD_32_BIT = armv7 ARCHS_STANDARD_64_BIT = arm64 ARCHS_STANDARD_INCLUDING_64_BIT = arm64 ARCHS_UNIVERSAL_IPHONE_OS = armv7 arm64 ASSETCATALOG_COMPILER_APPICON_NAME = AppIcon AVAILABLE_PLATFORMS = appletvos appletvsimulator iphoneos iphonesimulator macosx watchos watchsimulator BITCODE_GENERATION_MODE = marker BUILD_ACTIVE_RESOURCES_ONLY = NO BUILD_COMPONENTS = headers build BUILD_DIR = /Users/raveesh/Desktop/hls_poc/build/ios BUILD_ROOT = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Products BUILD_STYLE = BUILD_VARIANTS = normal BUILT_PRODUCTS_DIR = /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos CACHE_ROOT = /var/folders/82/xsf0y__10zd5_f31wg943qxc0000gn/C/com.apple.DeveloperTools/10.1-10B61/Xcode CCHROOT = /var/folders/82/xsf0y__10zd5_f31wg943qxc0000gn/C/com.apple.DeveloperTools/10.1-10B61/Xcode CHMOD = /bin/chmod CHOWN = /usr/sbin/chown CLANG_ANALYZER_NONNULL = YES CLANG_CXX_LANGUAGE_STANDARD = gnu++0x CLANG_CXX_LIBRARY = libc++ CLANG_ENABLE_MODULES = YES CLANG_ENABLE_OBJC_ARC = YES CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING = YES CLANG_WARN_BOOL_CONVERSION = YES CLANG_WARN_COMMA = YES CLANG_WARN_CONSTANT_CONVERSION = YES CLANG_WARN_DIRECT_OBJC_ISA_USAGE = YES_ERROR CLANG_WARN_EMPTY_BODY = YES CLANG_WARN_ENUM_CONVERSION = YES CLANG_WARN_INFINITE_RECURSION = YES CLANG_WARN_INT_CONVERSION = YES CLANG_WARN_NON_LITERAL_NULL_CONVERSION = YES CLANG_WARN_OBJC_LITERAL_CONVERSION = YES CLANG_WARN_OBJC_ROOT_CLASS = YES_ERROR CLANG_WARN_RANGE_LOOP_ANALYSIS = YES CLANG_WARN_STRICT_PROTOTYPES = YES CLANG_WARN_SUSPICIOUS_MOVE = YES CLANG_WARN_UNREACHABLE_CODE = YES CLANG_WARN__DUPLICATE_METHOD_MATCH = YES CLASS_FILE_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/JavaClasses CLEAN_PRECOMPS = YES CLONE_HEADERS = NO CODESIGNING_FOLDER_PATH = /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app CODE_SIGNING_ALLOWED = YES CODE_SIGNING_REQUIRED = YES CODE_SIGN_CONTEXT_CLASS = XCiPhoneOSCodeSignContext CODE_SIGN_IDENTITY = iPhone Developer CODE_SIGN_INJECT_BASE_ENTITLEMENTS = YES COLOR_DIAGNOSTICS = NO COMBINE_HIDPI_IMAGES = NO COMPILER_INDEX_STORE_ENABLE = Default COMPOSITE_SDK_DIRS = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/CompositeSDKs COMPRESS_PNG_FILES = YES CONFIGURATION = Debug CONFIGURATION_BUILD_DIR = /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos CONFIGURATION_TEMP_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos CONTENTS_FOLDER_PATH = Runner.app COPYING_PRESERVES_HFS_DATA = NO COPY_HEADERS_RUN_UNIFDEF = NO COPY_PHASE_STRIP = NO COPY_RESOURCES_FROM_STATIC_FRAMEWORKS = YES CORRESPONDING_SIMULATOR_PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform CORRESPONDING_SIMULATOR_PLATFORM_NAME = iphonesimulator CORRESPONDING_SIMULATOR_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator12.1.sdk CORRESPONDING_SIMULATOR_SDK_NAME = iphonesimulator12.1 CP = /bin/cp CREATE_INFOPLIST_SECTION_IN_BINARY = NO CURRENT_ARCH = arm64 CURRENT_PROJECT_VERSION = 1 CURRENT_VARIANT = normal DEAD_CODE_STRIPPING = YES DEBUGGING_SYMBOLS = YES DEBUG_INFORMATION_FORMAT = dwarf DEFAULT_COMPILER = com.apple.compilers.llvm.clang.1_0 DEFAULT_KEXT_INSTALL_PATH = /System/Library/Extensions DEFINES_MODULE = NO DEPLOYMENT_LOCATION = NO DEPLOYMENT_POSTPROCESSING = NO DEPLOYMENT_TARGET_CLANG_ENV_NAME = IPHONEOS_DEPLOYMENT_TARGET DEPLOYMENT_TARGET_CLANG_FLAG_NAME = miphoneos-version-min DEPLOYMENT_TARGET_CLANG_FLAG_PREFIX = -miphoneos-version-min= DEPLOYMENT_TARGET_LD_ENV_NAME = IPHONEOS_DEPLOYMENT_TARGET DEPLOYMENT_TARGET_LD_FLAG_NAME = ios_version_min DEPLOYMENT_TARGET_SETTING_NAME = IPHONEOS_DEPLOYMENT_TARGET DEPLOYMENT_TARGET_SUGGESTED_VALUES = 8.0 8.1 8.2 8.3 8.4 9.0 9.1 9.2 9.3 10.0 10.1 10.2 10.3 11.0 11.1 11.2 11.3 11.4 12.0 12.1 DERIVED_FILES_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/DerivedSources DERIVED_FILE_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/DerivedSources DERIVED_SOURCES_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/DerivedSources DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Applications DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer DEVELOPER_FRAMEWORKS_DIR = /Applications/Xcode.app/Contents/Developer/Library/Frameworks DEVELOPER_FRAMEWORKS_DIR_QUOTED = /Applications/Xcode.app/Contents/Developer/Library/Frameworks DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/Developer/Library DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Tools DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr DEVELOPMENT_LANGUAGE = English DEVELOPMENT_TEAM = BP6BMD5Q26 DOCUMENTATION_FOLDER_PATH = Runner.app/English.lproj/Documentation DO_HEADER_SCANNING_IN_JAM = NO DSTROOT = /tmp/Runner.dst DT_TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain DWARF_DSYM_FILE_NAME = Runner.app.dSYM DWARF_DSYM_FILE_SHOULD_ACCOMPANY_PRODUCT = NO DWARF_DSYM_FOLDER_PATH = /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos EFFECTIVE_PLATFORM_NAME = -iphoneos EMBEDDED_CONTENT_CONTAINS_SWIFT = NO EMBEDDED_PROFILE_NAME = embedded.mobileprovision EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE = NO ENABLE_BITCODE = NO ENABLE_DEFAULT_HEADER_SEARCH_PATHS = YES ENABLE_HEADER_DEPENDENCIES = YES ENABLE_ON_DEMAND_RESOURCES = YES ENABLE_STRICT_OBJC_MSGSEND = YES ENABLE_TESTABILITY = YES ENTITLEMENTS_ALLOWED = YES ENTITLEMENTS_DESTINATION = Signature ENTITLEMENTS_REQUIRED = YES EXCLUDED_INSTALLSRC_SUBDIRECTORY_PATTERNS = .DS_Store .svn .git .hg CVS EXCLUDED_RECURSIVE_SEARCH_PATH_SUBDIRECTORIES = *.nib *.lproj *.framework *.gch *.xcode* *.xcassets (*) .DS_Store CVS .svn .git .hg *.pbproj *.pbxproj EXECUTABLES_FOLDER_PATH = Runner.app/Executables EXECUTABLE_FOLDER_PATH = Runner.app EXECUTABLE_NAME = Runner EXECUTABLE_PATH = Runner.app/Runner EXPANDED_CODE_SIGN_IDENTITY = EXPANDED_CODE_SIGN_IDENTITY_NAME = EXPANDED_PROVISIONING_PROFILE = FILE_LIST = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/Objects/LinkFileList FIXED_FILES_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/FixedFiles FLUTTER_APPLICATION_PATH = /Users/raveesh/Desktop/hls_poc FLUTTER_BUILD_DIR = build FLUTTER_BUILD_NAME = 1.0.0 FLUTTER_BUILD_NUMBER = 1 FLUTTER_FRAMEWORK_DIR = /Users/raveesh/MyCode/SDKs/Flutter/bin/cache/artifacts/engine/ios FLUTTER_ROOT = /Users/raveesh/MyCode/SDKs/Flutter FLUTTER_TARGET = /Users/raveesh/Desktop/hls_poc/lib/main.dart FRAMEWORKS_FOLDER_PATH = Runner.app/Frameworks FRAMEWORK_FLAG_PREFIX = -framework FRAMEWORK_SEARCH_PATHS = "/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/video_player" "/Users/raveesh/Desktop/hls_poc/ios/Pods/../.symlinks/flutter/ios" "/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/video_player" "/Users/raveesh/Desktop/hls_poc/ios/Pods/../.symlinks/flutter/ios" /Users/raveesh/Desktop/hls_poc/ios/Flutter FRAMEWORK_VERSION = A FULL_PRODUCT_NAME = Runner.app GCC3_VERSION = 3.3 GCC_C_LANGUAGE_STANDARD = gnu99 GCC_DYNAMIC_NO_PIC = NO GCC_INLINES_ARE_PRIVATE_EXTERN = YES GCC_NO_COMMON_BLOCKS = YES GCC_OPTIMIZATION_LEVEL = 0 GCC_PFE_FILE_C_DIALECTS = c objective-c c++ objective-c++ GCC_PREPROCESSOR_DEFINITIONS = DEBUG=1 COCOAPODS=1 COCOAPODS=1 GCC_SYMBOLS_PRIVATE_EXTERN = NO GCC_THUMB_SUPPORT = YES GCC_TREAT_WARNINGS_AS_ERRORS = NO GCC_VERSION = com.apple.compilers.llvm.clang.1_0 GCC_VERSION_IDENTIFIER = com_apple_compilers_llvm_clang_1_0 GCC_WARN_64_TO_32_BIT_CONVERSION = YES GCC_WARN_ABOUT_RETURN_TYPE = YES_ERROR GCC_WARN_UNDECLARED_SELECTOR = YES GCC_WARN_UNINITIALIZED_AUTOS = YES_AGGRESSIVE GCC_WARN_UNUSED_FUNCTION = YES GCC_WARN_UNUSED_VARIABLE = YES GENERATE_MASTER_OBJECT_FILE = NO GENERATE_PKGINFO_FILE = YES GENERATE_PROFILING_CODE = NO GENERATE_TEXT_BASED_STUBS = NO GID = 20 GROUP = staff HEADERMAP_INCLUDES_FLAT_ENTRIES_FOR_TARGET_BEING_BUILT = YES HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_ALL_PRODUCT_TYPES = YES HEADERMAP_INCLUDES_NONPUBLIC_NONPRIVATE_HEADERS = YES HEADERMAP_INCLUDES_PROJECT_HEADERS = YES HEADERMAP_USES_FRAMEWORK_PREFIX_ENTRIES = YES HEADERMAP_USES_VFS = NO HIDE_BITCODE_SYMBOLS = YES HOME = /Users/raveesh ICONV = /usr/bin/iconv INFOPLIST_EXPAND_BUILD_SETTINGS = YES INFOPLIST_FILE = Runner/Info.plist INFOPLIST_OUTPUT_FORMAT = binary INFOPLIST_PATH = Runner.app/Info.plist INFOPLIST_PREPROCESS = NO INFOSTRINGS_PATH = Runner.app/English.lproj/InfoPlist.strings INLINE_PRIVATE_FRAMEWORKS = NO INSTALLHDRS_COPY_PHASE = NO INSTALLHDRS_SCRIPT_PHASE = NO INSTALL_DIR = /tmp/Runner.dst/Applications INSTALL_GROUP = staff INSTALL_MODE_FLAG = u+w,go-w,a+rX INSTALL_OWNER = raveesh INSTALL_PATH = /Applications INSTALL_ROOT = /tmp/Runner.dst IPHONEOS_DEPLOYMENT_TARGET = 12.1 JAVAC_DEFAULT_FLAGS = -J-Xms64m -J-XX:NewSize=4M -J-Dfile.encoding=UTF8 JAVA_APP_STUB = /System/Library/Frameworks/JavaVM.framework/Resources/MacOS/JavaApplicationStub JAVA_ARCHIVE_CLASSES = YES JAVA_ARCHIVE_TYPE = JAR JAVA_COMPILER = /usr/bin/javac JAVA_FOLDER_PATH = Runner.app/Java JAVA_FRAMEWORK_RESOURCES_DIRS = Resources JAVA_JAR_FLAGS = cv JAVA_SOURCE_SUBDIR = . JAVA_USE_DEPENDENCIES = YES JAVA_ZIP_FLAGS = -urg JIKES_DEFAULT_FLAGS = +E +OLDCSO KASAN_DEFAULT_CFLAGS = -DKASAN=1 -fsanitize=address -mllvm -asan-globals-live-support -mllvm -asan-force-dynamic-shadow KEEP_PRIVATE_EXTERNS = NO LD_DEPENDENCY_INFO_FILE = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/Objects-normal/arm64/ Runner_dependency_info.dat LD_GENERATE_MAP_FILE = NO LD_MAP_FILE_PATH = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/Runner-LinkMap-normal -arm64.txt LD_NO_PIE = NO LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER = YES LD_RUNPATH_SEARCH_PATHS = '@executable_path/Frameworks' '@loader_path/Frameworks' '@executable_path/Frameworks' '@loader_path/Frameworks' @executable_path/Frameworks LEGACY_DEVELOPER_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer LEX = lex LIBRARY_FLAG_NOSPACE = YES LIBRARY_FLAG_PREFIX = -l LIBRARY_KEXT_INSTALL_PATH = /Library/Extensions LIBRARY_SEARCH_PATHS = /Users/raveesh/Desktop/hls_poc/ios/Flutter LINKER_DISPLAYS_MANGLED_NAMES = NO LINK_FILE_LIST_normal_arm64 = LINK_WITH_STANDARD_LIBRARIES = YES LOCALIZABLE_CONTENT_DIR = LOCALIZED_RESOURCES_FOLDER_PATH = Runner.app/English.lproj LOCALIZED_STRING_MACRO_NAMES = NSLocalizedString CFLocalizedString LOCAL_ADMIN_APPS_DIR = /Applications/Utilities LOCAL_APPS_DIR = /Applications LOCAL_DEVELOPER_DIR = /Library/Developer LOCAL_LIBRARY_DIR = /Library LOCROOT = LOCSYMROOT = MACH_O_TYPE = mh_execute MAC_OS_X_PRODUCT_BUILD_VERSION = 18C54 MAC_OS_X_VERSION_ACTUAL = 101402 MAC_OS_X_VERSION_MAJOR = 101400 MAC_OS_X_VERSION_MINOR = 1402 METAL_LIBRARY_FILE_BASE = default METAL_LIBRARY_OUTPUT_DIR = /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/Runner.app MODULE_CACHE_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/ModuleCache.noindex MTL_ENABLE_DEBUG_INFO = YES NATIVE_ARCH = armv7 NATIVE_ARCH_32_BIT = i386 NATIVE_ARCH_64_BIT = x86_64 NATIVE_ARCH_ACTUAL = x86_64 NO_COMMON = YES OBJECT_FILE_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/Objects OBJECT_FILE_DIR_normal = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/Objects-normal OBJROOT = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex ONLY_ACTIVE_ARCH = YES OS = MACOS OSAC = /usr/bin/osacompile OTHER_CFLAGS = -iquote "/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/video_player/video_player.framework/Headers" -iquote "/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/video_player/video_player.framework/Headers" OTHER_CPLUSPLUSFLAGS = -iquote "/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/video_player/video_player.framework/Headers" -iquote "/Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/video_player/video_player.framework/Headers" OTHER_LDFLAGS = -framework "Flutter" -framework "video_player" -framework "Flutter" -framework "video_player" PACKAGE_TYPE = com.apple.package-type.wrapper.application PASCAL_STRINGS = YES PATH = /Applications/Xcode.app/Contents/Developer/usr/bin:/Users/raveesh/.nvm/versions/node/v8.9.1/bin:/usr/local/bin:/usr/bin:/bin:/usr/sbin:/sbin:/usr/local/MacGPG2/bin:/Users/ravees h/Library/Android/sdk/platform-tools:/Users/raveesh/MyCode/SDKs/Flutter/bin:/Users/raveesh/MyCode/SDKs/Flutter/bin/cache/dart-sdk/bin PATH_PREFIXES_EXCLUDED_FROM_HEADER_DEPENDENCIES = /usr/include /usr/local/include /System/Library/Frameworks /System/Library/PrivateFrameworks /Applications/Xcode.app/Contents/Developer/Headers /Applications/Xcode.app/Contents/Developer/SDKs /Applications/Xcode.app/Contents/Developer/Platforms PBDEVELOPMENTPLIST_PATH = Runner.app/pbdevelopment.plist PFE_FILE_C_DIALECTS = objective-c PKGINFO_FILE_PATH = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/PkgInfo PKGINFO_PATH = Runner.app/PkgInfo PLATFORM_DEVELOPER_APPLICATIONS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Applications PLATFORM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin PLATFORM_DEVELOPER_LIBRARY_DIR = /Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer/Library PLATFORM_DEVELOPER_SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs PLATFORM_DEVELOPER_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/Tools PLATFORM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr PLATFORM_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform PLATFORM_DISPLAY_NAME = iOS PLATFORM_NAME = iphoneos PLATFORM_PREFERRED_ARCH = arm64 PLATFORM_PRODUCT_BUILD_VERSION = 16B91 PLIST_FILE_OUTPUT_FORMAT = binary PLUGINS_FOLDER_PATH = Runner.app/PlugIns PODS_BUILD_DIR = /Users/raveesh/Desktop/hls_poc/build/ios PODS_CONFIGURATION_BUILD_DIR = /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos PODS_PODFILE_DIR_PATH = /Users/raveesh/Desktop/hls_poc/ios/. PODS_ROOT = /Users/raveesh/Desktop/hls_poc/ios/Pods PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR = YES PRECOMP_DESTINATION_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/PrefixHeaders PRESERVE_DEAD_CODE_INITS_AND_TERMS = NO PRIVATE_HEADERS_FOLDER_PATH = Runner.app/PrivateHeaders PRODUCT_BUNDLE_IDENTIFIER = com.example.hlsPoc PRODUCT_MODULE_NAME = Runner PRODUCT_NAME = Runner PRODUCT_SETTINGS_PATH = /Users/raveesh/Desktop/hls_poc/ios/Runner/Info.plist PRODUCT_TYPE = com.apple.product-type.application PROFILING_CODE = NO PROJECT = Runner PROJECT_DERIVED_FILE_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/DerivedSources PROJECT_DIR = /Users/raveesh/Desktop/hls_poc/ios PROJECT_FILE_PATH = /Users/raveesh/Desktop/hls_poc/ios/Runner.xcodeproj PROJECT_NAME = Runner PROJECT_TEMP_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build PROJECT_TEMP_ROOT = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex PROVISIONING_PROFILE_REQUIRED = YES PUBLIC_HEADERS_FOLDER_PATH = Runner.app/Headers RECURSIVE_SEARCH_PATHS_FOLLOW_SYMLINKS = YES REMOVE_CVS_FROM_RESOURCES = YES REMOVE_GIT_FROM_RESOURCES = YES REMOVE_HEADERS_FROM_EMBEDDED_BUNDLES = YES REMOVE_HG_FROM_RESOURCES = YES REMOVE_SVN_FROM_RESOURCES = YES RESOURCE_RULES_REQUIRED = YES REZ_COLLECTOR_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/ResourceManagerResour ces REZ_OBJECTS_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build/ResourceManagerResour ces/Objects SCAN_ALL_SOURCE_FILES_FOR_INCLUDES = NO SCRIPTS_FOLDER_PATH = Runner.app/Scripts SCRIPT_OUTPUT_STREAM_FILE = /var/folders/82/xsf0y__10zd5_f31wg943qxc0000gn/T/flutter_build_log_pipe.zkAjyd/pipe_to_stdout SDKROOT = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS12.1.sdk SDK_DIR = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS12.1.sdk SDK_DIR_iphoneos12_1 = /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS12.1.sdk SDK_NAME = iphoneos12.1 SDK_NAMES = iphoneos12.1 SDK_PRODUCT_BUILD_VERSION = 16B91 SDK_VERSION = 12.1 SDK_VERSION_ACTUAL = 120100 SDK_VERSION_MAJOR = 120000 SDK_VERSION_MINOR = 100 SED = /usr/bin/sed SEPARATE_STRIP = NO SEPARATE_SYMBOL_EDIT = NO SET_DIR_MODE_OWNER_GROUP = YES SET_FILE_MODE_OWNER_GROUP = NO SHALLOW_BUNDLE = YES SHARED_DERIVED_FILE_DIR = /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos/DerivedSources SHARED_FRAMEWORKS_FOLDER_PATH = Runner.app/SharedFrameworks SHARED_PRECOMPS_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/PrecompiledHeaders SHARED_SUPPORT_FOLDER_PATH = Runner.app/SharedSupport SKIP_INSTALL = NO SOURCE_ROOT = /Users/raveesh/Desktop/hls_poc/ios SRCROOT = /Users/raveesh/Desktop/hls_poc/ios STRINGS_FILE_OUTPUT_ENCODING = binary STRIP_BITCODE_FROM_COPIED_FILES = YES STRIP_INSTALLED_PRODUCT = YES STRIP_STYLE = all STRIP_SWIFT_SYMBOLS = YES SUPPORTED_DEVICE_FAMILIES = 1,2 SUPPORTED_PLATFORMS = iphonesimulator iphoneos SUPPORTS_TEXT_BASED_API = NO SWIFT_OBJC_BRIDGING_HEADER = Runner/Runner-Bridging-Header.h SWIFT_OPTIMIZATION_LEVEL = -Onone SWIFT_PLATFORM_TARGET_PREFIX = ios SWIFT_SWIFT3_OBJC_INFERENCE = On SWIFT_VERSION = 4.0 SYMROOT = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Products SYSTEM_ADMIN_APPS_DIR = /Applications/Utilities SYSTEM_APPS_DIR = /Applications SYSTEM_CORE_SERVICES_DIR = /System/Library/CoreServices SYSTEM_DEMOS_DIR = /Applications/Extras SYSTEM_DEVELOPER_APPS_DIR = /Applications/Xcode.app/Contents/Developer/Applications SYSTEM_DEVELOPER_BIN_DIR = /Applications/Xcode.app/Contents/Developer/usr/bin SYSTEM_DEVELOPER_DEMOS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built Examples SYSTEM_DEVELOPER_DIR = /Applications/Xcode.app/Contents/Developer SYSTEM_DEVELOPER_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Graphics Tools SYSTEM_DEVELOPER_JAVA_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Java Tools SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Performance Tools SYSTEM_DEVELOPER_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes SYSTEM_DEVELOPER_TOOLS = /Applications/Xcode.app/Contents/Developer/Tools SYSTEM_DEVELOPER_TOOLS_DOC_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/documentation/DeveloperTools SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR = /Applications/Xcode.app/Contents/Developer/ADC Reference Library/releasenotes/DeveloperTools SYSTEM_DEVELOPER_USR_DIR = /Applications/Xcode.app/Contents/Developer/usr SYSTEM_DEVELOPER_UTILITIES_DIR = /Applications/Xcode.app/Contents/Developer/Applications/Utilities SYSTEM_DOCUMENTATION_DIR = /Library/Documentation SYSTEM_KEXT_INSTALL_PATH = /System/Library/Extensions SYSTEM_LIBRARY_DIR = /System/Library TAPI_VERIFY_MODE = ErrorsOnly TARGETED_DEVICE_FAMILY = 1,2 TARGETNAME = Runner TARGET_BUILD_DIR = /Users/raveesh/Desktop/hls_poc/build/ios/Debug-iphoneos TARGET_NAME = Runner TARGET_TEMP_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build TEMP_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build TEMP_FILES_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build TEMP_FILE_DIR = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex/Runner.build/Debug-iphoneos/Runner.build TEMP_ROOT = /Users/raveesh/Library/Developer/Xcode/DerivedData/Runner-cabfvnfogapveifvjjvewsbcfjhn/Build/Intermediates.noindex TOOLCHAIN_DIR = /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain TREAT_MISSING_BASELINES_AS_TEST_FAILURES = NO UID = 501 UNLOCALIZED_RESOURCES_FOLDER_PATH = Runner.app UNSTRIPPED_PRODUCT = NO USER = raveesh USER_APPS_DIR = /Users/raveesh/Applications USER_LIBRARY_DIR = /Users/raveesh/Library USE_DYNAMIC_NO_PIC = YES USE_HEADERMAP = YES USE_HEADER_SYMLINKS = NO VALIDATE_PRODUCT = NO VALID_ARCHS = arm64 arm64e armv7 armv7s VERBOSE_PBXCP = NO VERBOSE_SCRIPT_LOGGING = YES VERSIONING_SYSTEM = apple-generic VERSIONPLIST_PATH = Runner.app/version.plist VERSION_INFO_BUILDER = raveesh VERSION_INFO_FILE = Runner_vers.c VERSION_INFO_STRING = "@(#)PROGRAM:Runner PROJECT:Runner-1" WRAPPER_EXTENSION = app WRAPPER_NAME = Runner.app WRAPPER_SUFFIX = .app WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES = NO XCODE_APP_SUPPORT_DIR = /Applications/Xcode.app/Contents/Developer/Library/Xcode XCODE_PRODUCT_BUILD_VERSION = 10B61 XCODE_VERSION_ACTUAL = 1010 XCODE_VERSION_MAJOR = 1000 XCODE_VERSION_MINOR = 1010 XPCSERVICES_FOLDER_PATH = Runner.app/XPCServices YACC = yacc arch = arm64 variant = normal [ +436 ms] Installing and launching... [ ] Debugging is enabled, connecting to observatory [ +7 ms] executing: /usr/bin/env ios-deploy --id e1993a486170fc3d643ea7a3bc0116409c1bea9e --bundle build/ios/iphoneos/Runner.app --no-wifi --justlaunch --args --enable-dart-profiling --enable-checked-mode [ +13 ms] └─Compiling, linking and signing... (completed) [ +24 ms] [....] Waiting for iOS device to be connected [ +17 ms] [....] Using e1993a486170fc3d643ea7a3bc0116409c1bea9e (N69AP, iPhone SE, iphoneos, arm64) a.k.a. 'Pink Pauldron'. [ ] ------ Install phase ------ [ ] [ 0%] Found e1993a486170fc3d643ea7a3bc0116409c1bea9e (N69AP, iPhone SE, iphoneos, arm64) a.k.a. 'Pink Pauldron' connected through USB, beginning install [ +606 ms] [ 5%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/META-INF/ to device [ ] [ 5%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/META-INF/com.apple.ZipMetadata.plist to device [ ] [ 5%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/_CodeSignature/ to device [ +1 ms] [ 6%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/_CodeSignature/CodeResources to device [ ] [ 6%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/[email protected] to device [ ] [ 6%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Runner to device [ ] [ 7%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/libswiftRemoteMirror.dylib to device [ +37 ms] [ 7%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Debug.xcconfig to device [ ] [ 8%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Base.lproj/ to device [ ] [ 8%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Base.lproj/Main.storyboardc/ to device [ ] [ 8%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Base.lproj/Main.storyboardc/UIViewController-BYZ-38-t0r.nib to device [ ] [ 9%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Base.lproj/Main.storyboardc/BYZ-38-t0r-view-8bC-Xf-vdC.nib to device [ ] [ 9%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Base.lproj/Main.storyboardc/Info.plist to device [ ] [ 9%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Base.lproj/LaunchScreen.storyboardc/ to device [ ] [ 10%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Base.lproj/LaunchScreen.storyboardc/01J-lp-oVM-view-Ze5-6b-2t3.nib to device [ ] [ 10%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Base.lproj/LaunchScreen.storyboardc/UIViewController-01J-lp-oVM.nib to device [ ] [ 10%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Base.lproj/LaunchScreen.storyboardc/Info.plist to device [ ] [ 11%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/ to device [ ] [ 11%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/LICENSE to device [ +12 ms] [ 11%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/vm_snapshot_data to device [ +90 ms] [ 13%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/isolate_snapshot_data to device [ +10 ms] [ 13%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/AssetManifest.json to device [ ] [ 13%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/kernel_blob.bin to device [ +374 ms] [ 18%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/FontManifest.json to device [ ] [ 18%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/packages/ to device [ ] [ 18%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/packages/cupertino_icons/ to device [ ] [ 19%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/packages/cupertino_icons/assets/ to device [ ] [ 19%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/packages/cupertino_icons/assets/CupertinoIcons.ttf to device [ +1 ms] [ 19%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/fonts/ to device [ ] [ 20%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/flutter_assets/fonts/MaterialIcons-Regular.ttf to device [ +3 ms] [ 20%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Assets.car to device [ +1 ms] [ 20%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/AppFrameworkInfo.plist to device [ ] [ 21%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/AppIcon76x76@2x~ipad.png to device [ ] [ 21%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/ to device [ ] [ 21%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftCoreImage.dylib to device [ +6 ms] [ 22%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftObjectiveC.dylib to device [ +12 ms] [ 22%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftCore.dylib to device [ +618 ms] [ 29%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftCoreGraphics.dylib to device [ +32 ms] [ 29%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftUIKit.dylib to device [ +19 ms] [ 30%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftMetal.dylib to device [ +8 ms] [ 30%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftDispatch.dylib to device [ +34 ms] [ 31%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftos.dylib to device [ +9 ms] [ 31%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/video_player.framework/ to device [ ] [ 31%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/video_player.framework/_CodeSignature/ to device [ ] [ 32%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/video_player.framework/_CodeSignature/CodeResources to device [ ] [ 32%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/video_player.framework/video_player to device [ +3 ms] [ 33%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/video_player.framework/Info.plist to device [ ] [ 33%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftCoreFoundation.dylib to device [ +7 ms] [ 33%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/Flutter.framework/ to device [ ] [ 34%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/Flutter.framework/_CodeSignature/ to device [ ] [ 34%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/Flutter.framework/_CodeSignature/CodeResources to device [ ] [ 34%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/Flutter.framework/icudtl.dat to device [ +22 ms] [ 35%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/Flutter.framework/Flutter to device [ +545 ms] [ 41%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/Flutter.framework/Info.plist to device [ ] [ 42%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/App.framework/ to device [ ] [ 42%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/App.framework/_CodeSignature/ to device [ ] [ 42%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/App.framework/_CodeSignature/CodeResources to device [ ] [ 43%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/App.framework/App to device [ ] [ 43%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/App.framework/Info.plist to device [ ] [ 43%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftDarwin.dylib to device [ +10 ms] [ 44%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftQuartzCore.dylib to device [ +24 ms] [ 44%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftCoreAudio.dylib to device [ +11 ms] [ 45%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftFoundation.dylib to device [ +334 ms] [ 48%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Frameworks/libswiftCoreMedia.dylib to device [ +9 ms] [ 48%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/embedded.mobileprovision to device [ ] [ 49%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/Info.plist to device [ ] [ 49%] Copying /Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app/PkgInfo to device [ +513 ms] [ 52%] CreatingStagingDirectory [ ] [ 57%] ExtractingPackage [ ] [ 60%] InspectingPackage [ +20 ms] [ 60%] TakingInstallLock [ +57 ms] [ 65%] PreflightingApplication [ +9 ms] [ 65%] InstallingEmbeddedProfile [ +5 ms] [ 70%] VerifyingApplication [+1416 ms] [ 75%] CreatingContainer [ +6 ms] [ 80%] InstallingApplication [ +11 ms] [ 85%] PostflightingApplication [ +3 ms] [ 90%] SandboxingApplication [ +19 ms] [ 95%] GeneratingApplicationMap [ +93 ms] [100%] Installed package build/ios/iphoneos/Runner.app [ +458 ms] ------ Debug phase ------ [ ] Starting debug of e1993a486170fc3d643ea7a3bc0116409c1bea9e (N69AP, iPhone SE, iphoneos, arm64) a.k.a. 'Pink Pauldron' connected through USB... [ +393 ms] [ 0%] Looking up developer disk image [ +20 ms] [ 95%] Developer disk image mounted successfully [ +277 ms] [100%] Connecting to remote debug server [ ] ------------------------- [ +44 ms] (lldb) command source -s 0 '/tmp/4BEE6AFD-D497-41DC-B395-2BA1EA5C4E11/fruitstrap-lldb-prep-cmds-e1993a486170fc3d643ea7a3bc0116409c1bea9e' [ ] Executing commands in '/tmp/4BEE6AFD-D497-41DC-B395-2BA1EA5C4E11/fruitstrap-lldb-prep-cmds-e1993a486170fc3d643ea7a3bc0116409c1bea9e'. [ ] (lldb) platform select remote-ios --sysroot '/Users/raveesh/Library/Developer/Xcode/iOS DeviceSupport/12.1.2 (16C101)/Symbols' [ ] Platform: remote-ios [ ] Connected: no [ ] SDK Path: "/Users/raveesh/Library/Developer/Xcode/iOS DeviceSupport/12.1.2 (16C101)/Symbols" [ ] (lldb) target create "/Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app" [+8268 ms] Current executable set to '/Users/raveesh/Desktop/hls_poc/build/ios/iphoneos/Runner.app' (arm64). [ ] (lldb) script fruitstrap_device_app="/private/var/containers/Bundle/Application/450E012D-4796-468C-8BC3-391A5ABEB28F/Runner.app" [ ] (lldb) script fruitstrap_connect_url="connect://127.0.0.1:54080" [ ] (lldb) target modules search-paths add /usr "/Users/raveesh/Library/Developer/Xcode/iOS DeviceSupport/12.1.2 (16C101)/Symbols/usr" /System "/Users/raveesh/Library/Developer/Xcode/iOS DeviceSupport/12.1.2 (16C101)/Symbols/System" "/private/var/containers/Bundle/Application/450E012D-4796-468C-8BC3-391A5ABEB28F" "/Users/raveesh/Desktop/hls_poc/build/ios/iphoneos" "/var/containers/Bundle/Application/450E012D-4796-468C-8BC3-391A5ABEB28F" "/Users/raveesh/Desktop/hls_poc/build/ios/iphoneos" /Developer "/Users/raveesh/Library/Developer/Xcode/iOS DeviceSupport/12.1.2 (16C101)/Symbols/Developer" [ +98 ms] (lldb) command script import "/tmp/4BEE6AFD-D497-41DC-B395-2BA1EA5C4E11/fruitstrap_e1993a486170fc3d643ea7a3bc0116409c1bea9e.py" [ +7 ms] (lldb) command script add -f fruitstrap_e1993a486170fc3d643ea7a3bc0116409c1bea9e.connect_command connect [ ] (lldb) command script add -s asynchronous -f fruitstrap_e1993a486170fc3d643ea7a3bc0116409c1bea9e.run_command run [ ] (lldb) command script add -s asynchronous -f fruitstrap_e1993a486170fc3d643ea7a3bc0116409c1bea9e.autoexit_command autoexit [ ] (lldb) command script add -s asynchronous -f fruitstrap_e1993a486170fc3d643ea7a3bc0116409c1bea9e.safequit_command safequit [ ] (lldb) connect [ +34 ms] (lldb) run [ +165 ms] success [ ] (lldb) safequit [ +115 ms] Process 597 detached [ +49 ms] Application launched on the device. Waiting for observatory port. [ +380 ms] Observatory URL on device: http://127.0.0.1:53460/ [ +1 ms] attempting to forward device port 53460 to host port 1024 [ ] executing: /usr/local/bin/iproxy 1024 53460 e1993a486170fc3d643ea7a3bc0116409c1bea9e [+1012 ms] Forwarded port ForwardedPort HOST:1024 to DEVICE:53460 [ +1 ms] Forwarded host port 1024 to device port 53460 for Observatory [ +5 ms] Installing and launching... (completed) [ +10 ms] Connecting to service protocol: http://127.0.0.1:1024/ [ +138 ms] Error connecting to the service protocol: HttpException: , uri = http://127.0.0.1:1024/ws [ +7 ms] "flutter run" took 44,762ms. #0 throwToolExit (package:flutter_tools/src/base/common.dart:26:3) #1 RunCommand.runCommand (package:flutter_tools/src/commands/run.dart:404:7) <asynchronous suspension> #2 FlutterCommand.verifyThenRunCommand (package:flutter_tools/src/runner/flutter_command.dart:401:18) #3 _asyncThenWrapperHelper.<anonymous closure> (dart:async/runtime/libasync_patch.dart:77:64) #4 _rootRunUnary (dart:async/zone.dart:1132:38) #5 _CustomZone.runUnary (dart:async/zone.dart:1029:19) #6 _FutureListener.handleValue (dart:async/future_impl.dart:129:18) #7 Future._propagateToListeners.handleValueCallback (dart:async/future_impl.dart:642:45) #8 Future._propagateToListeners (dart:async/future_impl.dart:671:32) #9 Future._complete (dart:async/future_impl.dart:476:7) #10 _SyncCompleter.complete (dart:async/future_impl.dart:51:12) #11 _AsyncAwaitCompleter.complete (dart:async/runtime/libasync_patch.dart:28:18) #12 _completeOnAsyncReturn (dart:async/runtime/libasync_patch.dart:295:13) #13 RunCommand.usageValues (package:flutter_tools/src/commands/run.dart) #14 _asyncThenWrapperHelper.<anonymous closure> (dart:async/runtime/libasync_patch.dart:77:64) #15 _rootRunUnary (dart:async/zone.dart:1132:38) #16 _CustomZone.runUnary (dart:async/zone.dart:1029:19) #17 _FutureListener.handleValue (dart:async/future_impl.dart:129:18) #18 Future._propagateToListeners.handleValueCallback (dart:async/future_impl.dart:642:45) #19 Future._propagateToListeners (dart:async/future_impl.dart:671:32) #20 Future._complete (dart:async/future_impl.dart:476:7) #21 _SyncCompleter.complete (dart:async/future_impl.dart:51:12) #22 _AsyncAwaitCompleter.complete.<anonymous closure> (dart:async/runtime/libasync_patch.dart:33:20) #23 _rootRun (dart:async/zone.dart:1124:13) #24 _CustomZone.run (dart:async/zone.dart:1021:19) #25 _CustomZone.bindCallback.<anonymous closure> (dart:async/zone.dart:947:23) #26 _microtaskLoop (dart:async/schedule_microtask.dart:41:21) #27 _startMicrotaskLoop (dart:async/schedule_microtask.dart:50:5) #28 _runPendingImmediateCallback (dart:isolate/runtime/libisolate_patch.dart:115:13) #29 _RawReceivePortImpl._handleMessage (dart:isolate/runtime/libisolate_patch.dart:172:5) [ +31 ms] [VERBOSE-2:shell.cc(184)] Dart Error: Unhandled exception: [ ] Bad state: Future already completed [ ] #0 _AsyncCompleter.complete (dart:async/future_impl.dart:39:31) [ +1 ms] #1 VideoPlayerController.initialize.eventListener (package:video_player/video_player.dart:233:33) [ +1 ms] #2 _RootZone.runUnaryGuarded (dart:async/zone.dart:1314:10) [ +2 ms] #3 _BufferingStreamSubscription._sendData (dart:async/stream_impl.dart:336:11) [ ] #4 _DelayedData.perform (dart:async/stream_impl.dart:591:14) [ +1 ms] #5 _StreamImplEvents.handleNext (dart:async/stream_impl.dart:707:11) [ ] #6 _PendingEvents.schedule.<anonymous closure> (dart:async/stream_impl.dart:667:7) [ ] #7 _microtaskLoop (dart:async/schedule_microtask.dart:41:21) [ ] #8 _startMicrotaskLoop (dart:async/schedule_microtask.dart:50:5) ``` </details> <!-- Run `flutter analyze` and attach any output of that command below. If there are any analysis errors, try resolving them before filing this issue. --> ``` Analyzing hls_poc... No issues found! (ran in 3.1s) ``` <!-- Finally, paste the output of running `flutter doctor -v` here. --> <details> <summary>flutter doctor -v</summary> ```bash </details>[✓] Flutter (Channel stable, v1.0.0, on Mac OS X 10.14.2 18C54, locale en-IN) • Flutter version 1.0.0 at /Users/raveesh/MyCode/SDKs/Flutter • Framework revision 5391447fae (4 weeks ago), 2018-11-29 19:41:26 -0800 • Engine revision 7375a0f414 • Dart version 2.1.0 (build 2.1.0-dev.9.4 f9ebf21297) [✓] Android toolchain - develop for Android devices (Android SDK 28.0.3) • Android SDK at /Users/raveesh/Library/Android/sdk • Android NDK location not configured (optional; useful for native profiling support) • Platform android-28, build-tools 28.0.3 • Java binary at: /Applications/Android Studio.app/Contents/jre/jdk/Contents/Home/bin/java • Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1136-b06) • All Android licenses accepted. [✓] iOS toolchain - develop for iOS devices (Xcode 10.1) • Xcode at /Applications/Xcode.app/Contents/Developer • Xcode 10.1, Build version 10B61 • ios-deploy 1.9.4 • CocoaPods version 1.5.3 [✓] Android Studio (version 3.2) • Android Studio at /Applications/Android Studio.app/Contents • Flutter plugin version 29.1.1 • Dart plugin version 181.5656 • Java version OpenJDK Runtime Environment (build 1.8.0_152-release-1136-b06) [✓] VS Code (version 1.30.0) • VS Code at /Applications/Visual Studio Code.app/Contents • Flutter extension version 2.21.1 [✓] Connected device (1 available) • Pink Pauldron • e1993a486170fc3d643ea7a3bc0116409c1bea9e • ios • iOS 12.1.2 • No issues found! ``` </details>
c: new feature,a: quality,p: video_player,package,c: proposal,team-ecosystem,P2,triaged-ecosystem
low
Critical
393,957,464
godot
Button is not pressed by InputEventScreenTouch when Emulate Mouse From Touch is disabled in the Project Settings
**Godot version:** 3.0.6 **OS/device including version:** windows 10 pro / GT 1030 gpu **Issue description:** In the script extending button, when using _gui_input() and InputEventScreenTouch, it does not cause the button to be pressed down. Visually also the button does not go button_down. **Steps to reproduce:** Create a button, and in the code do: ```gdscript func _gui_input(): if event is InputEventScreenTouch and event.is_pressed(): self.pressed = true ``` // Also if you connect the pressed() signal with this button, it will not trigger the signal when self.pressed = true. Visually the button does not go down and it does not trigger the Pressed() signal. HOWEVER, IF THE BUTTON IS SET TO TOGGLE MODE, IT WILL REGISTER THE BUTTON AS PRESSED CORRECTLY **Minimal reproduction project:** [InputEventScreenTouch Bug.zip](https://github.com/godotengine/godot/files/2709107/InputEventScreenTouch.Bug.zip)
enhancement,confirmed,topic:input
medium
Critical
393,961,705
opencv
imwrite/imencode Python binding fails with SystemError when using Numpy int type in params
##### System information (version) - OpenCV => 4.0.1 - Operating System / Platform => Arch Linux x86_64 - Compiler => I don't know. Installed from repo. ##### Detailed description The following code: ```py import cv2 import numpy as np orig = np.random.randint(0, 256, size=(512, 512, 3), dtype=np.uint8) for q in np.linspace(0, 100, 11, dtype=int): param = (cv2.IMWRITE_JPEG_QUALITY, q) cv2.imwrite("q%03d.jpg" % q, orig, params=param) ``` fails with: ``` Traceback (most recent call last): File "test.py", line 9, in <module> cv2.imwrite("q%03d.jpg" % q, orig, params=param) SystemError: <built-in function imwrite> returned NULL without setting an error ``` If I manually run `cv2.imwrite("xxx.jpg", orig, params=(cv2.IMWRITE_JPEG_QUALITY, 0))`, there is no error. It took me sometime to understand the difference. In the above code, `q` is `numpy.int64` type instead of native `int` type: ``` In [4]: type(q) Out[4]: numpy.int64 ``` The workaround is to explicitly convert `q` to `int` type with `int(q)`. However, if I change `np.linspace(0, 100, 11, dtype=int)` to `np.linspace(0, 100, 11, dtype=float)` which yields `numpy.float64` type, there is no error as well. It was really hard to figure out the reason when I encontered this issue. The error message doesn't give useful information. Maybe additional type check/conversion should be performed.
bug,category: python bindings,priority: low
low
Critical
393,963,340
gin
Reverse Proxy issues
- With issues: ### router ```go apiv1.GET("/videos/:vid-id", ProxyVideoHandler) apiv1.POST("/upload/:vid-id", ProxyVideoHandler) ``` ### handler ```go func ProxyVideoHandler(c *gin.Context) { u, err := url.Parse(setting.AppSetting.ProxyURL) if err != nil { logging.Info(err) c.String(http.StatusInternalServerError, "internal server error") return } proxy := httputil.NewSingleHostReverseProxy(u) c.Request.Host = u.Host proxy.ServeHTTP(c.Writer, c.Request) } ``` - isson is ```shell [GIN] 2018/12/25 - 12:48:58 | 200 | 15.5698ms | 127.0.0.1 | GET /static/js/jquery-3.3.1.min.js [GIN] 2018/12/25 - 12:48:58 | 200 | 20.02673ms | 127.0.0.1 | POST /api/v1/api [GIN] 2018/12/25 - 12:48:58 | 200 | 40.379618ms | 127.0.0.1 | POST /api/v1/api [GIN] 2018/12/25 - 12:48:58 | 200 | 582.992µs | 127.0.0.1 | GET /static/img/preloader.jpg 2018/12/25 12:48:58 [Recovery] 2018/12/25 - 12:48:58 panic recovered: GET /api/v1/videos/973fd869-cba7-4dce-a1c7-8ce2626a1046 HTTP/1.1 Host: 127.0.0.1:8080 Accept: */* Accept-Encoding: identity;q=1, *;q=0 Accept-Language: zh-CN,zh;q=0.9 Connection: keep-alive Cookie: session=8a9e75ba-ed79-4c5a-8724-ec3a8e796580; username=hhhhh Range: bytes=0- Referer: http://127.0.0.1:8080/api/v1/userhome User-Agent: Mozilla/5.0 (Macintosh; Intel Mac OS X 10_14_2) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/71.0.3578.98 Safari/537.36 net/http: abort Handler /usr/local/opt/go/libexec/src/runtime/panic.go:513 (0x102bcd8) gopanic: reflectcall(nil, unsafe.Pointer(d.fn), deferArgs(d), uint32(d.siz), uint32(d.siz)) /usr/local/opt/go/libexec/src/net/http/httputil/reverseproxy.go:284 (0x155a317) (*ReverseProxy).ServeHTTP: panic(http.ErrAbortHandler) /Users/hx/goprojects/src/github.com/haibeichina/gin_video_server/web/routers/api/v1/webhandles.go:174 (0x16030ff) ReverseProxy.func1: proxy.ServeHTTP(c.Writer, c.Request) /Users/hx/GoLang/src/github.com/gin-gonic/gin/context.go:108 (0x155b802) (*Context).Next: c.handlers[c.index](c) /Users/hx/GoLang/src/github.com/gin-gonic/gin/recovery.go:52 (0x156cd99) RecoveryWithWriter.func1: c.Next() /Users/hx/GoLang/src/github.com/gin-gonic/gin/context.go:108 (0x155b802) (*Context).Next: c.handlers[c.index](c) /Users/hx/GoLang/src/github.com/gin-gonic/gin/logger.go:84 (0x156bf21) LoggerWithWriter.func1: c.Next() /Users/hx/GoLang/src/github.com/gin-gonic/gin/context.go:108 (0x155b802) (*Context).Next: c.handlers[c.index](c) /Users/hx/GoLang/src/github.com/gin-gonic/gin/gin.go:362 (0x156409a) (*Engine).handleHTTPRequest: c.Next() /Users/hx/GoLang/src/github.com/gin-gonic/gin/gin.go:328 (0x15638f1) (*Engine).ServeHTTP: engine.handleHTTPRequest(c) /usr/local/opt/go/libexec/src/net/http/server.go:2741 (0x128fdea) serverHandler.ServeHTTP: handler.ServeHTTP(rw, req) /usr/local/opt/go/libexec/src/net/http/server.go:1847 (0x128c045) (*conn).serve: serverHandler{c.server}.ServeHTTP(w, w.req) /usr/local/opt/go/libexec/src/runtime/asm_amd64.s:1333 (0x1059840) goexit: BYTE $0x90 // NOP [GIN-debug] [WARNING] Headers were already written. Wanted to override status code 206 with 500[GIN] 2018/12/25 - 12:48:58 | 500 | 16.338862ms | 127.0.0.1 | GET /api/v1/videos/973fd869-cba7-4dce-a1c7-8ce2626a1046 [GIN] 2018/12/25 - 12:48:58 | 206 | 2.352201ms | 127.0.0.1 | GET /api/v1/videos/973fd869-cba7-4dce-a1c7-8ce2626a1046 [GIN] 2018/12/25 - 12:48:58 | 200 | 74.00254ms | 127.0.0.1 | POST /api/v1/api ```
bug
low
Critical
393,991,713
vscode
Temporarily Set Configuration For Save Operation
I'm maintaining the [EditorConfig](https://marketplace.visualstudio.com/items?itemName=EditorConfig.EditorConfig) extension and am in dire need of a feature that would eliminate some issues with respect to the following settings and potentially more in the future (e.g., end of line setting): - `files.insertFinalNewline` - `files.trimFinalNewlines` - `files.trimTrailingWhitespace` Specifically, I need a way to short-circuit / override these settings temporarily for a file-save operation, because allowing vscode to perform any kind of trimming is destructive and either irreversible or extremely hacky to fix. It's like asking me to unpunch someone. Basically, I need a way to change the way that vscode does a built-in save operation on a per-file basis (which is how EditorConfig works). Pre-save TextEdits are not good enough, because whatever I do before a save could potentially be wiped out with vscode's destructive trimming after the fact. Another option, of course, would be to make EditorConfig a built-in feature of vscode, which I think makes all the sense in the world. _Note: these issues only surfaced after vscode introduced these editor settings, because now we have 2 things trying to do the same thing._ ### Related issues - https://github.com/editorconfig/editorconfig-vscode/issues/153 - https://github.com/editorconfig/editorconfig-vscode/issues/208 - https://github.com/editorconfig/editorconfig-vscode/issues/209 - https://stackoverflow.com/questions/46069467/vs-code-does-not-insert-final-new-line-even-if-files-insertfinalnewline-is-set
feature-request,api
medium
Critical
393,996,676
flutter
Logspam when decoding invalid image
If you try to decode an image using instantiateImageCodec but the data is invalid, instead of (or in addition to?) throwing an exception, it prints `Shell: [ERROR:flutter/lib/ui/painting/codec.cc(97)] Failed decoding image. Data is either invalid, or it is encoded using an unsupported format.` to the console.
engine,P2,team-engine,triaged-engine
low
Critical
394,007,196
gin
why donot support fcgi method to serve?
- With issues: why donot support fcgi method to serve? - go version: 1.11.2 - gin version (or commit ref): 1.30 - operating system: centos ## Description see the rel issue #673 , the reason is much slower than unix http proxy. But, in go 1.11.2, unix http is slower than unix fcgi go: ```go // fcgi usocket func (engine *Engine) RunFcgiUnix(file string) (err error) { debugPrint("Listening and serving FCGI on unix:%s", file) defer func() { debugPrintError(err) }() os.Remove(file) listener, err := net.Listen("unix", file) if err != nil { return } os.Chmod(file, 0777) defer listener.Close() err = fcgi.Serve(listener, engine) return } ``` nginx conf: ```nginx # fcgi usocket location ~ ^/(\S+)/{ #fastcgi_pass unix:/data/usock/demo.sock; include fastcgi_params; } # http usocket location ~ ^/(\S+)/{ proxy_pass http://unix:/data/usock/demo.sock; } ``` ## Screenshots fcgi usocket ![image](https://user-images.githubusercontent.com/772787/50421113-f02aa300-0876-11e9-80cf-1cafbf3e4fd4.png) http usocket ![image](https://user-images.githubusercontent.com/772787/50421203-b73efe00-0877-11e9-91b8-5d1364fc3c52.png)
feature
low
Critical
394,011,555
opencv
Documentation calib3d. R - same name for different matrix.
Perhaps renaming the matrix of rectification transformations will make [this formula](https://github.com/opencv/opencv/blob/4.1.2/modules/calib3d/include/opencv2/calib3d.hpp#L2887) more readable. Also, [extra (]( https://github.com/opencv/opencv/blob/4.1.2/modules/calib3d/include/opencv2/calib3d.hpp#L2896)
category: documentation,category: calib3d
low
Minor
394,034,516
godot
Mouse selection exist, even if no mouse button is pressed.
**Godot version:** 3.1 10e9221 **OS/device including version:** Ubuntu 18.04.1 **Issue description:** When I create selection and then click outside editor and back to it, then selection still exist without any mouse button pressed. **Steps to reproduce:** 1. Select some area in viewport 2. Move mouse outside editor. 3. Click RMB at some window(I tested with terminal) (Probably it must be repeat once) 4. Back to editor and click at output text ![jfile](https://user-images.githubusercontent.com/41945903/70704537-759aa380-1cd2-11ea-94c2-342b5f204fa4.gif)
bug,topic:editor,confirmed
low
Minor
394,151,924
opencv
compile error Mat.hpp
have a persistent issue compiling opencv 401. it all comes down to a few modules with mat.hpp. ##### System information (version) - OpenCV => 4.0.1 - Operating System / Platform => Windows 10 64 Bit - Compiler => Visual Studio 2015 -Cmake => 3.12.4 ##### Detailed description OpenCV => module opencv_gapi_SSE_1 is giving me just one more compilation error I am unable to resolve Severity Code Description Project File Line Suppression State Error C2131 expression did not evaluate to a constant opencv_gapi_SSE4_1 D:\Documenten\opencv-4.0.1\opencv-4.0.1\modules\gapi\include\opencv2\gapi\own\mat.hpp 130 Line 130 and further is filling TABLE_ENTRY ##### Steps to reproduce 1) developer command prompt for VS15 in build folder : msbuild /t:clean /t:build .\modules\gapi\opencv_gapi_SSE4_1.vcxproj /v:diag 2) powershell administrator cmake.exe --build . --config Release --target INSTALL 3) build or analyze code in MSV15
bug,priority: low,category: build/install,platform: win32,category: g-api / gapi
low
Critical
394,174,022
godot
Creating a new EditorSettings variable then run in a visual script reports SOCKET ERROR
**Godot version:** Godot3.1 Aplha4 **OS/device including version:** manjaro gnome x64 Intel® Core™ i3-2350M CPU @ 2.30GHz × 4 Intel® Sandybridge Mobile OpenGL ES 3.0 Renderer: Mesa DRI Intel(R) Sandybridge Mobile intel hd 3000 **Issue description:** ![2018-12-26 21-41-14](https://user-images.githubusercontent.com/33272474/50447881-204a7280-0959-11e9-9025-7e8ba241f5fa.png) Creating other variable is normal(I just tested a little bit. I can't rule out hiding anything else.). **Steps to reproduce:** Creating a new EditorSettings variable **Minimal reproduction project:** [test11.zip](https://github.com/godotengine/godot/files/2710345/test11.zip)
bug,topic:editor,confirmed,topic:visualscript
low
Critical
394,221,224
kubernetes
Investigate cleanup of orphaned pod volumes
<!-- Please use this template while reporting a bug and provide as much info as possible. Not doing so may result in your bug not being addressed in a timely manner. Thanks!--> **What happened**: TODO from https://github.com/kubernetes/kubernetes/pull/72291#discussion_r243855759. The getMountedVolumePathListFromDisk call may be redundant with getPodVolumePathListFromDisk. See if there's opportunity to cleanup here. Maybe see if it's safe to skip the in-memory check, and just check for the on-disk directories? @kubernetes/sig-storage-bugs <!-- DO NOT EDIT BELOW THIS LINE --> /kind bug
kind/bug,priority/important-soon,sig/storage,lifecycle/frozen
low
Critical
394,221,771
go
x/tools/go/packages: Unusably slow when there are packages using cgo in the list
<!-- Please answer these questions before submitting your issue. Thanks! --> ### What version of Go are you using (`go version`)? <pre> $ go version go version go1.11.4 windows/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 set GOARCH=amd64 set GOBIN= set GOCACHE=&lt;snip&gt;\AppData\Local\go-build set GOEXE=.exe set GOFLAGS= set GOHOSTARCH=amd64 set GOHOSTOS=windows set GOOS=windows set GOPATH=&lt;snip&gt;\go set GOPROXY= set GORACE= set GOROOT=C:\Go set GOTMPDIR= set GOTOOLDIR=C:\Go\pkg\tool\windows_amd64 set GCCGO=gccgo set CC=gcc set CXX=g++ set CGO_ENABLED=1 set GOMOD= set CGO_CFLAGS=-g -O2 set CGO_CPPFLAGS= set CGO_CXXFLAGS=-g -O2 set CGO_FFLAGS=-g -O2 set CGO_LDFLAGS=-g -O2 set PKG_CONFIG=pkg-config set GOGCCFLAGS=-m64 -mthreads -fno-caret-diagnostics -Qunused-arguments -fmessage-length=0 -fdebug-prefix-map=&lt;snip&gt;\Temp\go-build664130090=/tmp/go-build -gno-record-gcc-switches </pre></details> ### What did you do? I tried using a Go tool that uses `golang.org/x/go/tools/packages` under the hood (Specifically [`gogetdoc`](https://github.com/zmb3/gogetdoc/), but many more tools are going to use it in order to support Go modules). Since `packages` unconditionally calls `go list -compiled` ([go/tools/go/packages/golist.go:630](https://github.com/golang/tools/blob/92d8274bd7b8a4c65f24bafe401a029e58392704/go/packages/golist.go#L630)), when there are large cgo modules anywhere on the module list, `packages` will cause them to be compiled, without any caching. This can take a very long time and makes any tool doing so unusably slow. <!-- If possible, provide a recipe for reproducing the error. A complete runnable program is good. A link on play.golang.org is best. --> ### Steps to reproduce You need to have ImageMagick available. (See https://github.com/gographics/imagick) 1. Save the following as `main.go` in a new go package directory: ```go package main import "gopkg.in/gographics/imagick.v2/imagick" func main() { imagick.Initialize() } ``` 2. `dep init`/`go get`/whatever. 3. `gogetdoc -pos main.go:#87`. ### What did you expect to see? The tool works fast. ### What did you see instead? It's extremely slow, to the point of being unusable. ### Related issues https://github.com/zmb3/gogetdoc/issues/47 https://github.com/Microsoft/vscode-go/issues/667 https://github.com/Microsoft/vscode-go/issues/1025 https://github.com/rogpeppe/godef/issues/103 cc @zmb3 @ramya-rao-a
Performance,GoCommand
low
Critical
394,290,826
gin
Why gin.Context.Cookie has to do url.QueryUnescape?
- go version: go1.11.2 darwin/amd64 - gin version (or commit ref): v1.3.0 - operating system: macos/linux ## Description Gin replace + sign with whitespace (probably) due to url.QueryUnescape. We need to replace it back to original + sign and then encode to make it back to original value. The code in question: https://github.com/gin-gonic/gin/blob/master/context.go#L741 If you look at how `http` package get cookie, it does not unescape the value and return just a string. I would like to know what's the decision to unescape value here. FYI, it breaks our app, and we need to do a workaround by replacing `" "` (whitespace) back to `+`.
bug
low
Major
394,298,424
flutter
Scrollbars and Safearea on iOS
Looking at an iOS native Scrollview (e.g. Safari or Mailbox in Mail) in landscape on an iPhone Xs you will see the following behavior: * When the notch is on the left, the scrollbar is drawn all the way at the right edge of the screen (the content of the scrollview does not go all the way to the right to avoid potential obtrusion by the round corners) * When the notch is on the right, the scrollbar is not drawn all the way to the right and instead slightly indented (just like the content) to avoid the notch I believe I cannot easily replicate this behavior with the `Safearea` and `Scrollbar` widget in Flutter. Either the scrollbar is always (regardless of notch orientation) drawn with a padding from the edge of the screen (and would avoid the notch if the phone is orientated to have the notch on the right) or the scrollbar is always drawn all the way at the screen edge (and thus obstructed by the notch if it happened to be on the right side).
platform-ios,framework,a: fidelity,f: scrolling,f: cupertino,good first issue,a: layout,P2,team-ios,triaged-ios
low
Major
394,305,128
rust
Improve error message for struct element borrow by closure
Consider [this small example](https://play.rust-lang.org/?version=stable&mode=debug&edition=2018). The code: ```rust struct S { x: f32, y: f32 } fn main() { let mut s = S { x: 1.0, y: 2.0 }; let eval = |x| { x + s.y }; s.x = eval(s.x); s.x = eval(s.x); println!("{} {}", s.x, s.y); } ``` The compiler reports: ``` error[E0506]: cannot assign to `s.x` because it is borrowed --> src/main.rs:8:5 | 5 | let eval = |x| { | --- borrow of `s.x` occurs here 6 | x + s.y | - borrow occurs due to use in closure 7 | }; 8 | s.x = eval(s.x); | ^^^^^^^^^^^^^^^ assignment to borrowed `s.x` occurs here 9 | s.x = eval(s.x); | ---- borrow later used here error: aborting due to previous error ``` The compiler is correct in that `s` is borrowed by the `eval` closure, so it can't be mutated afterward. However, `s.x` is never borrowed by anything, so the error message is pretty confusing. In particular, "--- borrow of `s.x` occurs here" just looks wrong. I'm not sure whether the compiler is just accidentally pointing at the parameter (which is an ordinary `f32`) or whether it has gotten confused.
C-enhancement,A-diagnostics,P-low,A-borrow-checker,T-compiler,D-edition
low
Critical
394,392,645
rust
`--logfile` for libtest doesn't respect `--format`.
**Observed behaviour** When using for example `cargo bench -- -Z unstable-options --format json --logfile bench.json`, `bench.json` has the usual human output format. Stdout prints JSON correctly though. **Expected behaviour** I expect to see JSON output in the file, exactly like in stdout. **Notes** I know at the moment rust is working on the custom test framework (https://github.com/rust-lang/rust/issues/50297), but other people are still relying on the current features (https://github.com/rust-lang/rust/issues/51924, https://github.com/rust-lang/cargo/issues/5670). In any case, I think this is a bug, right? Would love to make a PR. **Rustc** rustc 1.33.0-nightly (a7be40c65 2018-12-26)
T-dev-tools,A-libtest,C-bug
low
Critical
394,424,807
vue
Support Array subclassing
### Version 2.5.21 ### Reproduction link [https://codepen.io/AmrIKhudair/pen/NevxML](https://codepen.io/AmrIKhudair/pen/NevxML) ### Steps to reproduce 1- create a class extending Array and add a custom method 2- instantiate a new instance of the class and add it to data 3- try to call the method on the instance in the template ### What is expected? The method is successfully executed ### What is actually happening? Error not a function <!-- generated by vue-issues. DO NOT REMOVE -->
feature request
low
Critical
394,529,897
flutter
【Platform View】Why not abstract and unify AndroidView and UIKitView to a single PlatformView widget?
Currently we need to write some platform specific code if using platform view. ```dart if (defaultTargetPlatform == TargetPlatform.android) { return AndroidView(...) } else if (defaultTargetPlatform == TargetPlatform.iOS) { return UIKitView(...) } ```
c: new feature,engine,customer: crowd,a: platform-views,P2,team-engine,triaged-engine
low
Major
394,540,027
TypeScript
Inferred missing properties use resolved generic types rather than staying generic
<!-- Please try to reproduce the issue with `typescript@next`. It may have already been fixed. --> **TypeScript Version:** 3.3.0-dev.20181212 <!-- Search terms you tried before logging this (so others can find this issue more easily) --> **Search Terms:** declare property generic missing member **Code** ```ts class TestClass<T> { // Inferred: // otherValue: number; public constructor( public readonly value: T, ) { } } const foo = new TestClass<number>(1); foo.otherValue = foo.value; ``` **Expected behavior:** `Declare property 'otherValue'` should create `otherValue: T;` **Actual behavior:** ...but it actually creates `otherValue: number`. Whatever generic type from the place you request the missing property be added will be the type of the property. **Playground Link:** http://www.typescriptlang.org/play/#src=class%20TestClass%3CT%3E%20%7B%0D%0A%20%20%20%20%2F%2F%20Inferred%3A%0D%0A%20%20%20%20%2F%2F%20otherValue%3A%20number%3B%0D%0A%20%20%20%20public%20constructor(%0D%0A%20%20%20%20%20%20%20%20public%20readonly%20value%3A%20T%2C%0D%0A%20%20%20%20)%20%7B%20%7D%0D%0A%7D%0D%0A%0D%0A%0D%0Aconst%20foo%20%3D%20new%20TestClass%3Cnumber%3E(1)%3B%0D%0A%0D%0Afoo.otherValue%20%3D%20foo.value%3B%0D%0A **Related Issues:** I found a _lot_ of similar bugs but didn't see any that looked related...
Suggestion,Domain: Quick Fixes,Experience Enhancement
low
Critical
394,560,157
godot
Update script classes when editor enters focus (for external editors)
**Godot version:** Godot 3.1 alpha 4 **Issue description:** According to [this Reddit post](https://www.reddit.com/r/godot/comments/a96zu6/better_alternative_to_extend_a_custom_class/), users are becoming confused when script class names defined in an external text editor do not subsequently become active in the editor when the editor comes into focus. This is happening because the `EditorFileSystem::update_script_classes` method is never called when a file has been modified. The EditorFileSystem is only detecting when files have been added, removed, moved, or renamed. The ScriptEditor must be used directly to save the file in order for the method to be called atm, meaning that users can edit the script in their text editor, but then have to switch back and save the same file with the ScriptEditor just to get the editor to update properly. Instead, it'd be ideal if we could call the method somewhere else that automatically detects modifications to script files.
bug,topic:gdscript,topic:editor,confirmed
medium
Major
394,578,323
ant-design
Menu组件在collapse模式下,需要展示一级菜单名;二级菜单和一级菜单title的区分度建议增强
- [ ] I have searched the [issues](https://github.com/ant-design/ant-design/issues) of this repository and believe that this is not a duplicate. ### What problem does this feature solve? 我们的产品只能用collapse模式。发现在这个模式下一级菜单有几个问题: 1. 有子菜单的一级菜单,永远不会显示title 2. 无子菜单的一级菜单,其title的浮层 和 有子菜单的展示子菜单的浮层,区分度非常低,容易误操作 3. 无子菜单的主操作是点击,有子菜单的主操作是hover,用户反馈比较蒙逼 4. 子菜单active时,selecte样式(白高亮)也不太明显 示例: https://codesandbox.io/s/antd-reproduction-template-f8e60?file=/package.json ### What does the proposed API look like? 建议一级菜单hover统一出title。点击才出二级菜单(有子菜单)或进入链接(无子菜单),若点击子菜单外的部分,则子菜单导航收起 <!-- generated by ant-design-issue-helper. DO NOT REMOVE -->
💄 Design,Inactive
low
Minor
394,591,775
rust
rustdoc: proposal to tame gutter affordances
I have a few small proposals to reduce the visual clutter of rustdoc pages: 1. Move all toggle buttons to the right. Benefits: consistency (sometimes they are already on the right), and moves element clutter to a part of the page that doesn't have the reader's initial focus. 2. Similarly, move the ⓘ link to the right. 3. On the following doc bits remove toggles completely and show docs unconditionally: 1. Item description 2. Enum variant 3. Struct and trait method descriptions (methods directly on the item, not foreign) 4. "Smart" disclosure of short declarations. If a declaration is at most a few lines long, show it unconditionally with no toggle. Ditto attributes in declarations. Long declarations like Iterator retain their current undisclosed behavior. 1. ... alternately: always show ~4 lines and truncate beyond that with `...` 5. On mobile: be a bit more extreme in clutter reduction and remove completely any toggles that default to open. 6. On mobile: for blocks that do have a closed toggle, do not wrap the exposed heading, instead truncate with "..." before the toggle. I _think_ declarations tend to have enough information leftward to make this work well, but I haven't tried it yet. It might be a horrible idea in practice. Quick 'n Dirty mockups just to give the gist: ![screen shot 2018-12-27 at 11 27 41 pm](https://user-images.githubusercontent.com/4282480/50506976-51e23d00-0a30-11e9-97c3-8dc01a250046.png) ![screen shot 2018-12-27 at 11 27 18 pm](https://user-images.githubusercontent.com/4282480/50506992-60c8ef80-0a30-11e9-8444-9fed85fa75aa.png) The size and indentation of the toggles as they are implemented today do give some ambient hints about the hierarchy of the page, so I'd also want to tweak spacing & sizing a bit to better emphasize hierarchy. You can see in the mock (where I haven't tweaked spacing yet) that the `pub fn` line looks very similar in priority to the `impl Vec` line, which is probably not desirable. Bonus Objectives: 1. A better icon for ⓘ that more closely indicates what it is. 2. Remove or tweak ⓘ where it doesn't seem to add value. e.g. nearly every method on Vec: https://doc.rust-lang.org/std/vec/struct.Vec.html#method.new . I'm pretty ignorant about this feature. Maybe I'll come around on it once I understand it better. If this gets positive reception, I can build a demo of these changes.
T-rustdoc
low
Minor
394,599,931
rust
Borrow checker doesn't accept certain valid case when branch involves
The compiler currently rejects the following code: ```rust struct X { next: Option<Box<X>>, } fn main() { let mut b = Some(Box::new(X { next: None })); let mut p = &mut b; while let Some(now) = p { if true { p = &mut now.next; } } } ``` It complains that `now` double mutably borrows `p.0`. This explanation is not very convincing. If you rewrite it this way: ```rust while let Some(now) = p { p = &mut now.next; } ``` the compile would happily accept it, and compiler certainly also accepts ```rust while let Some(now) = p { // empty body } ``` so basically whatever the condition of `if` evaluates to, the original code should always be valid in terms of borrowing. I'm not sure if I'm missing something, but it seems to me this is a bug of the borrow checker?
T-compiler,A-NLL,NLL-polonius
low
Critical
394,609,507
rust
Rust fails to optimize away useless unwrap check
See the following code: ```rust pub struct ListNode { next: Option<Box<ListNode>> } pub fn foo(mut head: Box<ListNode>) -> Box<ListNode> { let mut cur = &mut head; while let Some(next) = std::mem::replace(&mut cur.next, None) { cur.next = Some(next); cur = cur.next.as_mut().unwrap(); } head } ``` Apparently the `unwrap` should never panic given the assignment in the previous line. However, based on the assembly output, that check isn't optimized away. (The `while let` statement seems to be generating useless function calls for drop as well, btw.)
A-LLVM,I-slow,T-compiler,C-optimization
low
Major
394,644,738
flutter
Add a way to detect keyboard language
Can you please add a way to detect the keyboard language and a way to detect when the uses switches to another language? This is needed for setting TextInput direction to RTL / LTR based on the currently selected keyboard language.
a: text input,c: new feature,framework,engine,P2,team-engine,triaged-engine
low
Critical
394,646,396
create-react-app
Build fails after eject: Cannot find module '@babel/plugin-transform-react-jsx'
### Is this a bug report? Yes ### Environment ``` Environment Info: System: OS: Linux 4.18 Fedora 29 (Workstation Edition) 29 (Workstation Edition) CPU: x64 Intel(R) Core(TM) i7-7500U CPU @ 2.70GHz Binaries: Node: 10.13.0 - /usr/bin/node Yarn: 1.12.3 - ~/.npm-packages/bin/yarn npm: 6.4.1 - /usr/bin/npm Browsers: Chrome: 70.0.3538.102 Firefox: 63.0.1 npmPackages: react: ^16.7.0 => 16.7.0 react-dom: ^16.7.0 => 16.7.0 react-scripts: Not Found npmGlobalPackages: create-react-app: Not Found ``` ### Steps to Reproduce 1. `npx create-react-app project` 2. `cd project` 3. `yarn eject` 4. `yarn build` ### Expected Behavior Build success. ### Actual Behavior Build fails. ``` Creating an optimized production build... Failed to compile. ./src/index.js Error: [BABEL] /tmp/project/src/index.js: Cannot find module '@babel/plugin-transform-react-jsx' (While processing: "/tmp/project/node_modules/babel-preset-react-app/index.js$1") at Array.reduce (<anonymous>) ``` After eject, there's no `@babel/plugin-transform-react-jsx` module inside `./node_modules`, `./node_modules/babel-preset-react-app/node_modules` or `./node_modules/babel-preset-react-app/node_modules/@babel/preset-react/node_modules`. I need to delete the whole `node_modules` and re-run `yarn` to make it work.
issue: needs investigation
high
Critical
394,662,927
TypeScript
Conditional type does not narrow union type
**TypeScript Version:** 3.2.2 **Search Terms:** conditional types, unions, narrowing **Code** ```ts interface A<T> { value: T; } interface Specification { [key: string]: Array<any> | Specification; } type Mapping<S extends Specification> = { [key in keyof S]: S[key] extends Array<infer T> ? A<T> : Mapping<S[key]> // Error ^^^^^^ // Type 'S[key]' does not satisfy the constraint 'Specification'. // Type 'Specification[key]' is not assignable to type 'Specification'. // Type 'any[] | Specification' is not assignable to type 'Specification'. // Type 'any[]' is not assignable to type 'Specification'. // Index signature is missing in type 'any[]'. }; ``` **Expected behavior:** No error. "Leafs" of the `Specification` tree, which have type `Array<T>` (for some `T`) should be mapped to `A<T>`, while non-leaf properties should be recursively mapped. **Actual behavior:** In the right-hand side of the conditional type, `S[key]` is not narrowed to `Specification`, even if the complete type of `S[key]` is `Array<any> | Specification` and the `Array<any>` case is catched in the left-hand side. **Playground Link:** [link](http://www.typescriptlang.org/play/#src=%0D%0Ainterface%20A%3CT%3E%20%7B%0D%0A%20%20%20%20value%3A%20T%3B%0D%0A%7D%0D%0A%0D%0Ainterface%20Specification%20%7B%0D%0A%20%20%20%20%5Bkey%3A%20string%5D%3A%20Array%3Cany%3E%20%7C%20Specification%3B%0D%0A%7D%0D%0A%0D%0Atype%20Mapping%3CS%20extends%20Specification%3E%20%3D%20%7B%0D%0A%20%20%20%20%5Bkey%20in%20keyof%20S%5D%3A%20S%5Bkey%5D%20extends%20Array%3Cinfer%20T%3E%20%3F%20A%3CT%3E%20%3A%20Mapping%3CS%5Bkey%5D%3E%0D%0A%7D%3B%0D%0A) **Related Issues**: some similar issues related to conditional types, but I'm not sure whether this is a duplicate of any of them.
Bug,Domain: Conditional Types
low
Critical
394,674,659
go
doc: runtime/pprof documentation needs clarification
The documentation is not clear regarding what exactly pprof shows. Here are a few examples. ``` go tool pprof -http=":8081" http://localhost:8080/debug/pprof/profile?seconds=30 ``` Let's open the flamegraph. There are at least two possibilities: 1. The flamegraph shows the clock time spent with given stacktrace 2. The flamegraph shows on-CPU time spent with given stacktrace, i.e. clock time excluding the time spent waiting for disk/network I/O or execution of other programs. Since I/O can be quite slow these are very different options. Both reports are useful depending on what bottleneck we are trying to fix (I/O or CPU). ``` go tool pprof -http=":8081" http://localhost:8080/debug/pprof/heap ``` I'm assuming the flamegraph shows places where given amount of memory was allocated. However it's not clear whether this is 1) the total amount of allocated memory (i.e. it doesn't matter if it was freed), 2) amount of allocated memory of objects that are currently alive, or 3) amount of memory of objects that are not garbage collected yet. Without proper documentation there is no way to tell which option, if any, is correct. ``` go tool pprof -http=":8081" http://localhost:8080/debug/pprof/block ``` The time shown doesn't make much sense. On the flamegraph I see something like `18988816179 usec` i.e. 5 hours. However the program was executing only for a few minutes. I guess the time should be divided by the number of CPUs or maybe by the number of goroutines (what if it varies?).
Documentation,NeedsInvestigation
low
Critical
394,686,718
opencv
Cannot open video file and IP camera and Compile warning with OpenCV 4.0.1
<!-- If you have a question rather than reporting a bug please go to http://answers.opencv.org where you get much faster responses. If you need further assistance please read [How To Contribute](https://github.com/opencv/opencv/wiki/How_to_contribute). Please: * Read the documentation to test with the latest developer build. * Check if other person has already created the same issue to avoid duplicates. You can comment on it if there already is an issue. * Try to be as detailed as possible in your report. * Report only one problem per created issue. This is a template helping you to create an issue which can be processed as quickly as possible. This is the bug reporting section for the OpenCV library. --> ##### System information (version) <!-- Example - OpenCV => 4.0.1 - Operating System / Platform => Windows 64 Bit - Compiler => Visual Studio 2017 --> - OpenCV => 4.0.1 - Operating System / Platform => Windows 64 Bit - Compiler => Visual Studio 2017 ##### Detailed description **It is the compiling warning:** > CMake Warning at cmake/OpenCVGenSetupVars.cmake:54 (message): > CONFIGURATION IS NOT SUPPORTED: validate setupvars script in install > directory > Call Stack (most recent call first): > CMakeLists.txt:1056 (include) **It is the error when opening a video file .avi, mp4 ...etc:** `capture.open("C:/video/video1.mp4");` > GStreamer: Error opening bin: no element "0" > warning: Error opening file (/build/opencv/modules/videoio/src/cap_ffmpeg_impl.hpp:901) > warning: 0®¯Õ< (/build/opencv/modules/videoio/src/cap_ffmpeg_impl.hpp:902) > > (app.exe:87656): GStreamer-CRITICAL **: gst_element_get_state: assertion 'GST_IS_ELEMENT (element)' failed **And it is when opening IP camera:** `capture.open("rtmp://live.hkstv.hk.lxdns.com:1935/live/hks");` > GStreamer: Error opening bin: no element "X" > warning: Error opening file (/build/opencv/modules/videoio/src/cap_ffmpeg_impl.hpp:901) > warning: X®¯Õ< (/build/opencv/modules/videoio/src/cap_ffmpeg_impl.hpp:902) > > (app.exe:87656): GStreamer-CRITICAL **: gst_element_get_state: assertion 'GST_IS_ELEMENT (element)' failed **_Only USB or Integrated camera can be opened_** **Note:** - I have build OpenCV with GStreamer 1.0 - With intel Inference_Engine - With extra modules _Before everything was working very well._ ##### Steps to reproduce <!-- to add code example fence it with triple backticks and optional file extension ```.cpp // C++ code example ``` or attach as .txt or .zip file -->
priority: low,category: videoio,incomplete
low
Critical
394,719,617
TypeScript
JS type-checking suggested refactoring produces maximum possible redundant relative module path
I'm trying to use JavaScript type-checking (which obviously is powered by TypeScript) in my project, and am noticing that it seems unable to correctly produce minimal relative paths when executing the "Infer parameter types from usage" refactoring. <!-- Please try to reproduce the issue with `typescript@next`. It may have already been fixed. --> **TypeScript Version:** 3.2.2 and 3.3.0-dev.20181228 <!-- Search terms you tried before logging this (so others can find this issue more easily) --> **Search Terms:** javascript checkjs module path infer relative **Code** jsconfig.json (in root of folder): ```json { "compilerOptions": { "checkJs": true, "target": "esnext", "module": "commonjs", }, "include": [ "src/**/*.js" ] } ``` ```js // src/foo.js export class Foo {} // src/bar.js export function run (foo) { } // src/main.js import { run } from './bar'; import { Foo } from './foo'; function main () { run(new Foo()); } ``` **Expected behavior:** In bar.js, the type information suggested refactorings includes "Infer parameter types from usage". Upon performing this refactoring, the `foo` parameter should become associated with a minimal path to the target module, like so: ```js /** * @param {import("./foo").Foo} foo */ export function run (foo) { } ``` **Actual behavior:** Instead, it generates this: ```js /** * @param {import("../../../../../../Dropbox/Work/Dev/salix/current/src/foo").Foo} foo */ export function run (foo) { } ``` I have tested this in both the stable and insider builds of VS Code. I have tried various different combinations of settings in jsconfig.json, including `include`, `exclude`, `compilerOptions.baseUrl`, `compilerOptions.module`, and so on. The issue persists with every permutation of options I've tried. ![2018-12-29_07-11-28](https://user-images.githubusercontent.com/298883/50528271-0bc4d080-0b39-11e9-8459-017080822b43.gif) **Related Issues:** <!-- Did you find other bugs that looked similar? --> No relevant issues found in either of the TypeScript or VSCode repositories.
Bug,Domain: Quick Fixes
low
Critical
394,748,773
vscode
workbench.editor.closeEmptyGroups not showing up when searching "pane"
i usually set up 2 equal width,,horizontally split-ed panes and 1 full width under them . currently i found no way to create editor-width pane at bottom, if you have at least 2 column ones (like was possible in VS) . ~~add to this a fact of that the full width panel auto closes with it's last tab, and it becomes an issue (so if the last tab at bottom are accidentally closed, its needed to close 1 of the upper panes, split to bottom and then split to side again) .~~ (Close Empty Groups setting, it misses "Pane" as a {search tag}/synonym) this may look minor, but the splitting functionality just basically not complete, ~~and ability to control tabs auto-closing behavior are missed~~.
bug,settings-editor,confirmed,settings-search
low
Minor
394,756,931
terminal
Console ReadFile canceled by Ctrl+C fails to set ERROR_OPERATION_ABORTED
In Windows 8+, a [`ReadFile`](https://docs.microsoft.com/en-us/windows/desktop/api/fileapi/nf-fileapi-readfile) call on a console input handle that's interrupted by Ctrl+C or Ctrl+Break doesn't set the last error to `ERROR_OPERATION_ABORTED` (995). It used to do this in previous versions, and it's documented as such. (It still works for `ReadConsole` in all versions.) The consequence is that there's no immediate way to distinguish Ctrl+C from EOF (i.e. success with 0 bytes read) when reading from the console via `ReadFile`. When a read is interrupted by Ctrl+C, the console returns (and has always returned, AFAIK) the NT status code `STATUS_ALERTED` (0x00000101), which is a success code for an alerted wait (e.g. via `NtAlertThread`). This status code is being misused outside of its intended context, but previously its usage was completely private to the console client/server implementation. What changed is that in Windows 8+ the console uses the ConDrv device instead of an LPC port, and console files are now kernel file objects. `ReadFile` and `ReadConsole` used to have a common implementation that special cased `STATUS_ALERTED`. But now they're split up. `ReadFile` calls `NtReadFile` and `ReadConsole` calls `NtDeviceIoControlFile` (due to the `pInputControl` parameter). `ReadConsole` can still special case `STATUS_ALERTED`. On the other hand, to `ReadFile` it's simply a successful read, since there's no immediate way to detect a console handle without making another system call. Maybe `ReadFile` can safely assume that no other device would be so weird as to return `STATUS_ALERTED` for a read request. Alternatively, ConDrv or the I/O manager could bring back the practice of flagging console handles by setting the lower 2 bits, as was done prior to Windows 8. Then `ReadFile` could easily detect a console handle and special case `STATUS_ALERTED`. The proper status code is `STATUS_CANCELLED` (0xC0000120), which automatically maps to `ERROR_OPERATION_ABORTED`. It's a failure code, however, and according to the docs this case is supposed to succeed with an error set. I don't understand this. The call really has been canceled and really has failed. It's no different from an I/O request getting canceled by `CancelIo` or `CancelSynchronousIo`.
Product-Conhost,Area-Server,Issue-Bug,Impact-Compatibility
low
Critical
394,761,358
terminal
GenerateConsoleCtrlEvent should not succeed when dwProcessGroupId is not a group ID
The `dwProcessGroupId` parameter of `GenerateConsoleCtrlEvent` should be limited to process groups or the special group 0 that means all process attached to the console. If no process belongs to the given group ID, the call should fail with `ERROR_INVALID_PARAMETER`. This used to be the case (and the code I've read in ReactOS seems as simple as this), but at some point (XP?) it was changed to succeed for any process ID if it happens to be a child of a process that's attached to the console. I have to assume this was intentional, though I don't think any explanation could get me to agree with the intent. If the target process is attached to the console, it behaves the same as the group 0 case, which contributes to misunderstandings about this function. Otherwise it's relatively benign. The truly weird and buggy aspect of this is that it succeeds for a child of a process that's attached to the console even if the child itself is not attached to the console (e.g. a non-console process, or one created with `DETACHED_PROCESS`, `CREATE_NEW_CONSOLE`, or `CREATE_NO_WINDOW`). In this case the call appears to do nothing. But on closer inspection, we see that the target process gets added to the console's process list (i.e. `GetConsoleProcessList`) even though it's not attached to the console, and in Process Explorer we see that conhost.exe has a handle for the process. If the process terminates, the console doesn't get notified, so this handle for a defunct process stays in the console's list. Apparently this puts the console's process list in a bad state. All processes that were added before the defunct process are subsequently invisible to `GenerateConsoleCtrlEvent`, even if we target group 0.
Product-Conhost,Help Wanted,Area-Server,Issue-Bug,Priority-2,Impact-Correctness
low
Critical
394,770,500
pytorch
documentation for adding a new type via C++ extensions
## 📚 Documentation @soumyarooproy writes: ----------------------------------------------------- I wrote this tutorial — https://github.com/soumyarooproy/scratchpad/blob/master/PyTorchNewTensorType.md — for steps to add a new scalar/tensor type. I used `bfloat16` as an example. Could one of you please take a look at it? The write-up is obviously based on my current understanding of PyTorch internals. I would very much appreciate some feedback on it. Accompanying references: - pytorch changes: https://github.com/soumyarooproy/pytorch/pull/1 - c++ extension repo: https://github.com/soumyarooproy/bfloat16_pytorch_cpp_extn ---------------------------------------------------- Because it's the holidays, I'm just opening an issue to track and give feedback so that it doesn't get lost in the noise. cc: @li-roy @gchanan @goldsborough @ezyang @soumyarooprooy things will likely change fast, see PRs by @li-roy for context such as https://github.com/pytorch/pytorch/pull/15153 cc @ezyang @anjali411 @dylanbespalko @mruberry @Lezcano @nikitaved @brianjo
module: docs,triaged,module: complex,module: bfloat16
low
Major
394,779,358
pytorch
[Caffe2] How to switch to test phase?
Hi, I just spent 1 hour looking at the documentation and some tutorials on the website, and googling ; but I cannot figure out how I can put a net in testing phase. I would like an equivalent in Caffe2 of `net.set_phase_test()`.
caffe2
low
Minor
394,786,573
TypeScript
TS2739: Type is missing the following properties from type
<!-- 🚨 STOP 🚨 𝗦𝗧𝗢𝗣 🚨 𝑺𝑻𝑶𝑷 🚨 Half of all issues filed here are duplicates, answered in the FAQ, or not appropriate for the bug tracker. Even if you think you've found a *bug*, please read the FAQ first, especially the Common "Bugs" That Aren't Bugs section! Please help us by doing the following steps before logging an issue: * Search: https://github.com/Microsoft/TypeScript/search?type=Issues * Read the FAQ: https://github.com/Microsoft/TypeScript/wiki/FAQ Please fill in the *entire* template below. --> <!-- Please try to reproduce the issue with `typescript@next`. It may have already been fixed. --> **TypeScript Version:** 3.3.0-dev.201xxxxx <!-- Search terms you tried before logging this (so others can find this issue more easily) --> **Search Terms:** **Code** ```ts export const sp = '_@_'; export interface IWordsOutput { _source?: any, s?: RegExp, r?: string | IRegExpCallback, flags?: string, } export interface IRegExpCallback { ($0: string, $1?: string, $2?: string, $3?: string, ...argv): string; } export interface IWords extends IWordsOutput { [0]: string | RegExp, [1]: string | IRegExpCallback, [2]?: string, } export const words_source: IWords[] = [ // this is work ['HP', 'HP'], // Error:TS2739: Type 'string[]' is missing the following properties from type 'IWords': [0], [1] (function () { let jobclass = '(?:A|B|C)'; return [`${jobclass}${sp}${jobclass}`, '$1・$2']; })(), ]; ``` **Expected behavior:** > no error **Actual behavior:** > Error:TS2739: Type 'string[]' is missing the following properties from type 'IWords': [0], [1] **Playground Link:** <!-- A link to a TypeScript Playground "Share" link which demonstrates this behavior --> **Related Issues:** <!-- Did you find other bugs that looked similar? -->
Bug,Domain: Contextual Types
low
Critical
394,814,726
pytorch
Feature request: transposed locally connected layer
## 🚀 Feature transposed version of locally connected layer, similar to the transposed version of convolution layer but without weight sharing. ## Motivation Similar to the necessity of the transposed convolution layer, the locally connected layer (issue #499, PR #1583) should also have a transposed version. cc @albanD @mruberry @jbschlosser
todo,module: nn,triaged,enhancement
low
Minor
394,820,260
go
math: Pow(x,y) optimization for cases: constant integer `y`.
math.Pow(x,y) optimization for cases: constant integer `y`. For example: * `... math.Pow(length, 2)...` * `... math.Pow(length, 3.0)...` ### What version of Go are you using (`go version`)? <pre> $ go version go version go1.11.4 linux/amd64 </pre> ### Does this issue reproduce with the latest release? yes for `go 1.6` ### What operating system and processor architecture are you using (`go env`)? <details><summary><code>go env</code> Output</summary><br><pre> $ go env GOARCH="amd64" GOBIN="" GOCACHE="/home/konstantin/.cache/go-build" GOEXE="" GOFLAGS="" GOHOSTARCH="amd64" GOHOSTOS="linux" GOOS="linux" GOPATH="/home/konstantin/go" GOPROXY="" GORACE="" GOROOT="/usr/local/go" GOTMPDIR="" GOTOOLDIR="/usr/local/go/pkg/tool/linux_amd64" GCCGO="gccgo" CC="gcc" CXX="g++" CGO_ENABLED="1" GOMOD="" CGO_CFLAGS="-g -O2" CGO_CPPFLAGS="" CGO_CXXFLAGS="-g -O2" CGO_FFLAGS="-g -O2" CGO_LDFLAGS="-g -O2" PKG_CONFIG="pkg-config" GOGCCFLAGS="-fPIC -m64 -pthread -fmessage-length=0 -fdebug-prefix-map=/tmp/go-build700464290=/tmp/go-build -gno-record-gcc-switches" </pre></details> ### What did you do? ```go package main import ( "math" "testing" ) func BenchmarkMathPow(b *testing.B) { x := 42.0 for i := 0; i < b.N; i++ { _ = math.Pow(x, 2.0) } } func BenchmarkInline(b *testing.B) { x := 42.0 for i := 0; i < b.N; i++ { _ = x * x } } ``` ### What did you expect to see? same or preliminary same performance between that 2 cases. ### What did you see instead? run benchmark ``` > go test -bench=. goos: linux goarch: amd64 pkg: tmp BenchmarkMathPow-4 30000000 49.6 ns/op BenchmarkInline-4 2000000000 0.68 ns/op PASS ok tmp 2.992s ``` Different more 70 times. ### Note Changing function `pow` in [math/pow.go](https://github.com/golang/go/blob/master/src/math/pow.go) is not enough for solving performance problem. ```go func BenchmarkPowModify(b *testing.B) { x := 42.0 for i := 0; i < b.N; i++ { _ = pow(x, 2.0) } } func pow(x, y float64) float64 { switch { case y == 0 || x == 1: return 1 // changes for cases with integer `y`. case float64(int8(y)) == y: if y < 0 { return 1.0 / pow(x, -y) } n := int(y) r := 1.0 for i := 0; i < n; i++ { r *= x } return r case math.IsNaN(x) || math.IsNaN(y): return math.NaN() ... other like in file math/pow.go .... ``` result is better, but not `the best`: ``` BenchmarkMathPow-4 30000000 49.6 ns/op BenchmarkPowModify-4 200000000 7.56 ns/op BenchmarkInline-4 2000000000 0.69 ns/op PASS ok tmp 5.268s ``` Have we any optimization place for change AST from function expressions `math.Pow` with parameter `y` = 2 to expression `x*x`? (Like I understood `ssa` is not a right place).
NeedsDecision
low
Critical
394,821,629
opencv
Error to build OpenCV 4.0.1 in Debug mode from source
##### System information (version) - OpenCV => 4.0.1 - Operating System / Platform => Windows 10 64 Bit - Compiler => MinGW 7.3.0 x64 (from last Qt 5.12) - CMake => 3.13.2 -Build Type => Source (4.0.1 from https://github.com/opencv/opencv/releases) ##### Detailed description Can not to build OpenCV 4.0.1 in Debug mode. An error is raised during compilation: ` Fatal error: can't close CMakeFiles\opencv_perf_core.dir\perf\opencl\perf_arithm.cpp.obj: File too big` Which probably can be solved with flags for gcc: `-Wa,-mbig-obj`. ![123](https://user-images.githubusercontent.com/21986402/50541813-a4516400-0bbe-11e9-88ee-945a52a798e7.JPG) ##### Steps to reproduce 1) Install Qt 5.12 with Tools: MinGW 7.3.0 2) Install CMake 3.13.2 3) Run CMake and set path to opencv source code and path to build binaries and press Configure button. 4) In CMAKE group set CMAKE_BUILD_TYPE to Debug. 5) Press Generate button. 6) Open CMD and change dir to opencv "build binaries" folder from step 3 and execute `mingw32-make.exe -j8` (Example: `D:\Qt\Tools\mingw730_64\bin\mingw32-make.exe -j8`). ##### Error ``` [ 28%] Built target pch_Generate_opencv_highgui [ 28%] Built target opencv_highgui [ 28%] Built target opencv_ts_pch_dephelp [ 28%] Built target pch_Generate_opencv_ts [ 29%] Built target opencv_ts [ 29%] Building CXX object modules/core/CMakeFiles/opencv_perf_core.dir/perf/opencl/perf_arithm.cpp.obj D:/Qt/Tools/mingw730_64/bin/../lib/gcc/x86_64-w64-mingw32/7.3.0/../../../../x86_64-w64-mingw32/bin/as.exe: CMakeFiles\opencv_perf_core.dir\perf\opencl\perf_arithm.cpp.obj: too many sections (37620) C:\Users\User\AppData\Local\Temp\ccWlqdOA.s: Assembler messages: C:\Users\User\AppData\Local\Temp\ccWlqdOA.s: Fatal error: can't fill 1 byte in section .rdata$_ZStL19piecewise_construct of CMakeFiles\opencv_perf_core.dir\perf\opencl\perf_arithm.cpp.obj: 'File too big' D:/Qt/Tools/mingw730_64/bin/../lib/gcc/x86_64-w64-mingw32/7.3.0/../../../../x86_64-w64-mingw32/bin/as.exe: CMakeFiles\opencv_perf_core.dir\perf\opencl\perf_arithm.cpp.obj: too many sections (37620) C:\Users\User\AppData\Local\Temp\ccWlqdOA.s: Fatal error: can't close CMakeFiles\opencv_perf_core.dir\perf\opencl\perf_arithm.cpp.obj: File too big mingw32-make[2]: *** [modules\core\CMakeFiles\opencv_perf_core.dir\build.make:77: modules/core/CMakeFiles/opencv_perf_core.dir/perf/opencl/perf_arithm.cpp.obj] Error 1 mingw32-make[1]: *** [CMakeFiles\Makefile2:2712: modules/core/CMakeFiles/opencv_perf_core.dir/all] Error 2 mingw32-make: *** [Makefile:162: all] Error 2 ```
priority: low,category: build/install
low
Critical
394,831,746
go
crypto/tls: safely shutdown
<pre> $ go version go version go1.11.2 linux/amd64 </pre> ### Does this issue reproduce with the latest release? Yes Safely and reliably shutting down an SSL transport while keeping the underlying connection still open is not supported by the API in an intuitive way. I have posted this question on stackoverflow here: https://stackoverflow.com/questions/53825725/how-to-safely-shutdown-ssl-connection But to repeat the question: Using Go, how can a tls.Conn be safely shutdown without entirely closing the underlying connection? I have a working solution, but I am not sure if there is a better way. In my application I have a non-SSL connection that is eventually 'upgraded' to an SSL connection. Then at some point the SSL connection should be closed cleanly, and the connection should return to the non-SSL version (where unencrypted traffic can be sent between the two parties). ``` import "crypto/tls" func app(connection net.Conn){ // process some data on the connection, then eventually change it to SSL ssl = tls.Client(connection, sslConfig) // sslConfig defined elsewhere ssl.Handshake() // process data using ssl for a while // now shut down SSL but maintin the original connection ssl.CloseWrite() // at this point we have sent a closeNotify alert to the remote side and are expecting a closeNotify be sent back to us. // the only way to read the closeNotify is to attempt to read 1 byte b := make([]byte, 1) ssl.Read(b) // assuming the remote side shut down the connection properly, the SSL transport should be finished connection.Read(...) // can go back to the unencrypted connection } ``` This works because if a closeNotify alert record is received then `c.readRecord` in crypto/tls/conn.go will return an error value, and will not read any bytes (so presumably the `b` byte array could have been any size). This is a bit confusing from a user's point of view. It would be preferable to have an API like `ssl.Shutdown()` that internally maybe does ``` c.CloseWrite() b := make([]byte, 1) c.Read(b) ``` Or maybe there is a better way to cleanly shutdown, but that is for the library writer's to decide. I realize it is a bit strange to want to shutdown an SSL transport and continue to use the underlying connection but that is the constraint I am working under. If it is helpful I can provide a small working example.
NeedsInvestigation
low
Critical
394,839,699
TypeScript
Should warn against invalid typeof expression
<!-- Please try to reproduce the issue with `typescript@next`. It may have already been fixed. --> **TypeScript Version:** 3.2.2 <!-- Search terms you tried before logging this (so others can find this issue more easily) --> **Search Terms:** typeof undefined **Code** ```ts // This condition will always return 'false' since the types '"string" | "number" | "bigint" | "boolean" | "symbol" | "undefined" | "object" | "function"' and '42' have no overlap. typeof 42 === 42 typeof 42 === undefined typeof 42 === null ``` **Expected behavior:** ```ts typeof 42 === undefined typeof 42 === null ``` Should warn as what `typeof 42 === 42` warns. **Actual behavior:** No warnings **Playground Link:** http://www.typescriptlang.org/play/index.html#src=%2F%2F%20This%20condition%20will%20always%20return%20'false'%20since%20the%20types%20'%22string%22%20%7C%20%22number%22%20%7C%20%22bigint%22%20%7C%20%22boolean%22%20%7C%20%22symbol%22%20%7C%20%22undefined%22%20%7C%20%22object%22%20%7C%20%22function%22'%20and%20'42'%20have%20no%20overlap.%0Atypeof%2042%20%3D%3D%3D%2042%0A%0Atypeof%2042%20%3D%3D%3D%20undefined%0A%0Atypeof%2042%20%3D%3D%3D%20null **Related Issues:** <!-- Did you find other bugs that looked similar? -->
Suggestion,Awaiting More Feedback
low
Critical
394,844,835
godot
Unexpected behavior when setting negative scale in KinematicBody2D
**Godot version:** 3.1-4a mono **OS/device including version:** Linux Mint 19.1 **Issue description:** You try to set the scale.x < 0 for KinematicBody2D, RigidBody2D, and (possibly) StaticBody2D from code, scale changes sign to opposite (-1, 1) -> (1, -1); (-1, -1) -> (1, 1). In this case, the scale actually changes, but the resulting scale is not correct. In the attached project in _Ready, we change the original scale (1, 1) to (-1, -1). The body changes its scale, but the scale in _physics_process is now (1, 1). **Minimal reproduction project:** [KinematicScale.zip](https://github.com/godotengine/godot/files/2718309/KinematicScale.zip)
discussion,topic:physics
low
Major
394,867,034
javascript-algorithms
Translate to PT-PT
Hello You have PT-BR translations. Would you like one PR with PT-PT ?
enhancement
medium
Minor
394,872,623
pytorch
[Caffe2] Internal compiler error for CUDA.
## Bug Internal compiler error on Windows with CUDA build. ``` Error: Internal Compiler Error (codegen): "there was an error in verifying the lgenfe output!" cross_entropy_op.cu CMake Error at caffe2_gpu_generated_cross_entropy_op.cu.obj.RelWithDebInfo.cmake:279 (message): Error generating file C:/Users/tolia/AppData/Local/Temp/pytorch/build/caffe2/CMakeFiles/caffe2_gpu.dir/operators/./caffe2_gpu_generated_cross_entropy_op.cu.obj ``` ## Environment - PyTorch Version (e.g., 1.0): master - OS (e.g., Linux): Win10 - How you installed PyTorch (`conda`, `pip`, source): source - Build command you used (if compiling from source): cmake + VS2017 (15.9.4) + Ninja - Python version: 3.7 - CUDA/cuDNN version: 10.0/7 - GPU models and configuration: Kepler + Pascal (build for Kepler+Maxwell+Pascal+Volta) ## Additional context Noticed several similar reports: #12117 #14872 #13808 #11203
caffe2
low
Critical
394,907,715
terminal
Recognise Left and Right Shift in KEY_EVENT_RECORD.dwControlKeyState
https://docs.microsoft.com/en-us/windows/console/key-event-record-str wincon.h: ```C++ #define RIGHT_ALT_PRESSED 0x0001 // the right alt key is pressed. #define LEFT_ALT_PRESSED 0x0002 // the left alt key is pressed. #define RIGHT_CTRL_PRESSED 0x0004 // the right ctrl key is pressed. #define LEFT_CTRL_PRESSED 0x0008 // the left ctrl key is pressed. #define SHIFT_PRESSED 0x0010 // the shift key is pressed. #define NUMLOCK_ON 0x0020 // the numlock light is on. #define SCROLLLOCK_ON 0x0040 // the scrolllock light is on. #define CAPSLOCK_ON 0x0080 // the capslock light is on. #define ENHANCED_KEY 0x0100 // the key is enhanced. ``` Is it possible to extend it with: ```C++ #define LEFT_SHIFT_PRESSED 0x0200 // the left shift key is pressed. #define RIGHT_SHIFT_PRESSED 0x0400 // the right shift key is pressed. ``` ? Motivation: - Symmetry and flexibility. For compatibility reasons SHIFT_PRESSED (0x0010) should be preserved and set on either Shift key press of course.
Issue-Feature,Product-Conhost,Area-Input
low
Minor
394,913,546
create-react-app
Code coverage comments like `/* istanbul ignore file */` are ignored for jsx files
### Is this a bug report? Yes ### Did you try recovering your dependencies? Yes - I have a minimum repo to reproduce. ### Which terms did you search for in User Guide? istanbul comment coverage comment ### Environment System: OS: Windows 10 CPU: x64 Intel(R) Core(TM) i7-8550U CPU @ 1.80GHz Binaries: Yarn: 1.12.3 - C:\Program Files (x86)\Yarn\bin\yarn.CMD npm: 6.4.1 - C:\Program Files\nodejs\npm.CMD Browsers: Edge: 42.17134.1.0 Internet Explorer: 11.0.17134.1 npmPackages: react: ^16.7.0 => 16.7.0 react-dom: ^16.7.0 => 16.7.0 react-scripts: 2.1.2 => 2.1.2 npmGlobalPackages: create-react-app: Not Found ### Steps to Reproduce Code coverage comments like `/* istanbul ignore file */` are ignored for jsx files. When you set up a new app, adding this line to `index.js` doesn't work. This seems to be related to the Babel config as pure JS files work fine. Here's an example repo: 1. Clone https://github.com/dbartholomae/coverage-bug 2. Run `npm test` (note that the command is modified in package.json and includes the coverage flag) This could be related to #5756 ### Expected Behavior Neither `index.js` nor `index-no-jsx.js` should show up in the coverage-report. ### Actual Behavior `index.js` shows up in the coverage-report. ### Reproducible Demo See "Steps to Reproduce"
issue: needs investigation
medium
Critical
394,922,870
rust
Rework `char::eq_ignore_ascii_case` parameter type
Right now: pub fn eq_ignore_ascii_case(&self, other: &char) -> bool { self.to_ascii_lowercase() == other.to_ascii_lowercase() } This means that `'a'.eq_ignore_ascii_case('b')` doesn't compile. Instead the user must type `'a'.eq_ignore_ascii_case(&'b')`. I would like to allow for both *without breaking backwards compatibility*. One option would be to change the signature to the following: pub fn eq_ignore_ascii_case<C: AsRef<char>>(&self, other: C) -> bool { self.to_ascii_lowercase() == other.as_ref().to_ascii_lowercase() } This would require us to implement `AsRef<char>` for `char` and `&char` to facilitate this.
C-enhancement,T-libs-api,A-str
low
Major
394,935,635
youtube-dl
Site support request: play.cine.ar
- [x] I've **verified** and **I assure** that I'm running youtube-dl **2018.12.17** ### Before submitting an *issue* make sure you have: - [x] At least skimmed through the [README](https://github.com/rg3/youtube-dl/blob/master/README.md), **most notably** the [FAQ](https://github.com/rg3/youtube-dl#faq) and [BUGS](https://github.com/rg3/youtube-dl#bugs) sections - [x] [Searched](https://github.com/rg3/youtube-dl/search?type=Issues) the bugtracker for similar issues including closed ones - [x] Checked that provided video/audio/playlist URLs (if any) are alive and playable in a browser ### What is the purpose of your *issue*? - [x] Site support request (request for adding support for a new site) ### If the purpose of this *issue* is a *bug report*, *site support request* or you are not completely sure provide the full verbose output as follows: Add the `-v` flag to **your command line** you run youtube-dl with (`youtube-dl -v <your command line>`), copy the **whole** output and insert it here. It should look similar to one below (replace it with **your** log inserted between triple ```): ``` D:\Portables\youtube-dl>youtube-dl -v https://play.cine.ar/INCAA/produccion/1361/reproducir [debug] System config: [] [debug] User config: [] [debug] Custom config: [] [debug] Command-line args: ['-v', 'https://play.cine.ar/INCAA/produccion/1361/reproducir'] [debug] Encodings: locale cp1252, fs mbcs, out cp850, pref cp1252 [debug] youtube-dl version 2018.12.17 [debug] Python version 3.4.4 (CPython) - Windows-10-10.0.17134 [debug] exe versions: ffmpeg N-59275-g9b195dd, ffprobe N-59275-g9b195dd [debug] Proxy map: {} [generic] reproducir: Requesting header [redirect] Following redirect to https://play.cine.ar/#/INCAA/produccion/1361/reproducir [generic] reproducir: Requesting header Traceback (most recent call last): File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\utils.py", line 989, in deflate zlib.error: Error -5 while decompressing data: incomplete or truncated stream During handling of the above exception, another exception occurred: Traceback (most recent call last): File "__main__.py", line 19, in <module> File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\__init__.py", line 472, in main File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\__init__.py", line 462, in _real_main File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\YoutubeDL.py", line 2002, in download File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\YoutubeDL.py", line 804, in extract_info File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\YoutubeDL.py", line 865, in process_ie_result File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\YoutubeDL.py", line 793, in extract_info File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\extractor\common.py", line 508, in extract File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\extractor\generic.py", line 2251, in _real_extract File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\extractor\common.py", line 605, in _request_webpage File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\YoutubeDL.py", line 2212, in urlopen File "C:\Python\Python34\lib\urllib\request.py", line 470, in open File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\utils.py", line 1049, in http_response File "C:\Users\dst\AppData\Roaming\Build archive\youtube-dl\rg3\tmp5g6wx9_e\build\youtube_dl\utils.py", line 991, in deflate zlib.error: Error -5 while decompressing data: incomplete or truncated stream ... <end of log> ``` --- ### If the purpose of this *issue* is a *site support request* please provide all kinds of example URLs support for which should be included (replace following example URLs by **yours**): - Single video: https://play.cine.ar/INCAA/produccion/1361 - Single video: https://play.cine.ar/INCAA/produccion/1361/reproducir - - Playlist: https://play.cine.ar/INCAA/produccion/4253 - Single video from above playlist: https://play.cine.ar/INCAA/produccion/4253/reproducir/4254 --- ### Description of your *issue*, suggested solution and other information Argentina's government publishes tv and cinema productions that had help from the government. It's a legit site for Argentina's content.
account-needed
low
Critical
394,958,555
opencv
build failed using mingw dshow module in master
<!-- If you have a question rather than reporting a bug please go to http://answers.opencv.org where you get much faster responses. If you need further assistance please read [How To Contribute](https://github.com/opencv/opencv/wiki/How_to_contribute). Please: * Read the documentation to test with the latest developer build. * Check if other person has already created the same issue to avoid duplicates. You can comment on it if there already is an issue. * Try to be as detailed as possible in your report. * Report only one problem per created issue. This is a template helping you to create an issue which can be processed as quickly as possible. This is the bug reporting section for the OpenCV library. --> ##### System information (version) <!-- Example - OpenCV => 3.1 - Operating System / Platform => Windows 64 Bit - Compiler => Visual Studio 2015 --> - OpenCV => 4.0 (master) - Operating System / Platform => Windows 7 - Compiler => MinGW GCC 8.1 ##### Detailed description <!-- your description --> ##### Steps to reproduce <!-- to add code example fence it with triple backticks and optional file extension ```.cpp // C++ code example ``` or attach as .txt or .zip file --> ``` cmake.exe -DCMAKE_C_COMPILER=gcc -DCMAKE_CXX_COMPILER=g++ -G Ninja .. ```
category: build/install,incomplete,platform: other
low
Critical
394,974,535
TypeScript
grammar errors should be reported as syntactic diagnostics
<!-- 🚨 STOP 🚨 𝗦𝗧𝗢𝗣 🚨 𝑺𝑻𝑶𝑷 🚨 Half of all issues filed here are duplicates, answered in the FAQ, or not appropriate for the bug tracker. Even if you think you've found a *bug*, please read the FAQ first, especially the Common "Bugs" That Aren't Bugs section! Please help us by doing the following steps before logging an issue: * Search: https://github.com/Microsoft/TypeScript/search?type=Issues * Read the FAQ: https://github.com/Microsoft/TypeScript/wiki/FAQ Please fill in the *entire* template below. --> <!-- Please try to reproduce the issue with `typescript@next`. It may have already been fixed. --> **TypeScript Version:** 3.3.0-dev.20181222 <!-- Search terms you tried before logging this (so others can find this issue more easily) --> **Search Terms:** **Code** ```ts // @filename: test.js function test(...args,) {} // trailing comma not allowed class C { async static foo() {} // modifiers are in the wrong order } @decorator // invalid decorator location async var v = 1; // invalid modifier location let {...rest: rest} = {}; // rest property cannot have a property name ``` **Expected behavior:** All errors above are reported in JS files as they result in parse errors when executed. **Actual behavior:** The above file has no errors. They are not reported as syntax errors because TypeScript's parser is more permissive than the spec in many cases. Since grammar errors are only reported during type-checking they are ignored in JS files without `// @ts-check`. Other JS parsers, e.g. javascript VMs, emit a parse error for the code above. **Related Issues:** #6107 suggests moving grammar errors to the binding phase #6802
Suggestion,In Discussion
low
Critical
395,001,323
rust
Adding --emit=asm speeds up generated code because of codegen units
With the following rust code: ```rust pub fn main() { print_triples(); println!("hello"); } fn print_triples() { let mut i = 0 as i32; for z in 1.. { for x in 1..=z { for y in x..=z { if x*x + y*y == z*z { i = i + 1; if i == 1000 { return; } } } } } } ``` I get: ``` /tmp/pythagoras$ rustc --emit=link -O simple.rs /tmp/pythagoras$ time ./simple hello real 0m0.290s user 0m0.287s sys 0m0.002s /tmp/pythagoras$ rustc --emit=asm,link -O simple.rs /tmp/pythagoras$ time ./simple hello real 0m0.005s user 0m0.002s sys 0m0.002s /tmp/pythagoras$ rustc --version rustc 1.32.0-nightly (400c2bc5e 2018-11-27) /tmp/pythagoras$ ```
A-driver,T-compiler,C-bug
low
Major
395,012,216
neovim
UI extension work (tracking issue)
Tracking/discussion issue for planned UI enhancements. NB: being mentioned on the list below is not a guarantee for being done at any specific time scale, nor is the order necessarily indicative of readiness/priority (except perhaps for the smaller follow-up items for multigrid, which I hope to get done pretty soon). Feel free to add stuff. - [x] multigrid (#8455 **merged**) - [x] improve size handling: non-screen functions should use requested size, not grid allocated size. - [x] `:term` sizing issues (fix `terminal_resize`) - [x] mouse support (#9429) - [ ] messages on dedicated grid (when not `ext_messages`) - [x] floating windows (#6619) - [x] for `!ext_popupmenu`: pum as float (#9530) - [x] for `ext_popupmenu`: add tests for grid anchoring - [x] `nvim_win_close` to close window by id. - [x] Ex-commands for floats (#9663) - [ ] #9920 - [x] `pumblend` but for floats (because why not) - [x] `ext_messages` (#7466) - [ ] `ext_windows`: UI control of layout and wincmds (#8707) - [x] use `ext_popupmenu` events for wildmenu to support info and pum (#9607) - [ ] `ext_statusline` (I have some ideas/pre-WIP code...) - [ ] external columns (number, signs) by transmitting `wline_T` info (no work done) - [ ] "tabgrid" (#7541 but with multigrid) - [x] transmit UI highlight definitions for `ext_popupmenu` using `hl-Pmenu`, etc. (#10504) - [x] ensure that we always use concrete rgb colors for `default_colors_set` - [ ] allow subscribing non-default groups - [x] UI control of `ext_popupmenu` #9445 - [ ] For `ext_cmdline` maybe `nvim_call_function('setcmdpos')` already works (check + add docs/test)
enhancement,ui,ui-extensibility
high
Critical
395,015,209
neovim
Comments autoformatted even without formatoptions 'c' flag
<!-- Before reporting: search existing issues and check the FAQ. --> Note: I also filed this as a vim issue [here](https://github.com/vim/vim/issues/3746). - `nvim --version`: 0.3.1 - Vim (version: 8.1.146) behaves differently? no - Operating system/version: NixOS 18.09 - Terminal name/version: st-0.8.1 - `$TERM`: st-256color ### Steps to reproduce using `nvim -u NORC` ``` nvim -u NORC :set fo=ta<cr>i% test<cr>% test ``` ### Actual behaviour On typing the second '%', autoformatting kicks in, and the two lines are combined into one. The final result is a single line: ``` % test % test ``` ### Expected behaviour Since `:set comments` gives a string including ":%", I expect that when I type the second '%', neovim recognizes the second line as a comment and does not combine the two lines into one, since `formatoptions` does not include the `c` flag. My expected final result is: ``` % test % test ``` ### Explanation The documentation for `fo-table` says: > With 't' and 'c' you can specify when Vim performs auto-wrapping: > value action > "" no automatic formatting (you can use "gq" for manual formatting) > "t" automatic formatting of text, but not comments > "c" automatic formatting for comments, but not text (good for C code) > "tc" automatic formatting for text and comments When we use `set fo=ca`, we get the nice behavior where no automatic formatting is done outside of comments, but comments reflow automatically. The documentation above leads me to expect the symmetric behavior for `set fo=ta`, where no automatic formatting is done within comments, but the rest of the text reflows automatically. The example above shows that the behavior is not symmetric the way the documentation suggests, unless I'm misunderstanding the documentation. One reason I want to use `set fo=ta` is for editing Markdown files--if it worked the way I expected, I could set the `comments` option so that code blocks are considered as comments. Then I could get automatic formatting in most of the file, yet avoid automatic formatting within code blocks.
bug-vim,needs:vim-patch
low
Minor
395,040,780
TypeScript
Lots of async-specific code in computeSuggestionDiagnostics
There's lots of async-specific code in computeSuggestionDiagnostics. It should probably be in the async codefix.
Bug,Domain: Refactorings
low
Minor
395,048,539
puppeteer
Feature: Simpler way to handle pages created on clicking a[target="_blank"]; wait for loading and include timeouts
# Overview I'm looking for a simpler way to handle clicking on links which open new pages (like target="_blank" anchor tags). Here handle means: - get the new page object - wait for the new tab to load (with timeout) <!-- STEP 1: Are you in the right place? - For general technical questions or "how to" guidance, please search StackOverflow for questions tagged "puppeteer" or create a new post. https://stackoverflow.com/questions/tagged/puppeteer - For issues or feature requests related to the DevTools Protocol (https://chromedevtools.github.io/devtools-protocol/), file an issue there: https://github.com/ChromeDevTools/devtools-protocol/issues/new. - Problem in Headless Chrome? File an issue against Chromium's issue tracker: https://bugs.chromium.org/p/chromium/issues/entry?components=Internals%3EHeadless&blocking=705916 For issues, feature requests, or setup troubles with Puppeteer, file an issue right here! --> ### Steps to reproduce **Tell us about your environment:** * Puppeteer version: ^1.11.0 * Platform / OS version: 64-bit, win 10 pro * URLs (if applicable): none * Node.js version: v10.15.0 I've looked at related issues: #386 #3535 #978 and more **What steps will reproduce the problem?** _I've included the code snippet below_ I'm trying to: 1. Get the object for the new page when clicking on a link opens a new tab. (The links are dynamically generated, capturing href might not be the most elegant way) 2. Wait till the new page loads (with timeout). I'd like it if you can use page.waitForNavigation for consistency 3. close the tab and return the earlier tab to continue further operations _Please include code that reproduces the issue._ ``` // as referenced here on #386 : https://github.com/GoogleChrome/puppeteer/issues/386#issuecomment-425109457 const getNewPageWhenLoaded = async () => { return new Promise(x => global.browser.on('targetcreated', async target => { if (target.type() === 'page') { const newPage = await target.page(); const newPagePromise = new Promise(y => newPage.once('domcontentloaded', () => y(newPage)) ); const isPageLoaded = await newPage.evaluate( () => document.readyState ); return isPageLoaded.match('complete|interactive') ? x(newPage) : x(newPagePromise); } }) ); }; const newPagePromise = getNewPageWhenLoaded(); await page.click('my-link'); // or just do await page.evaluate(() => window.open('https://www.example.com/')); const newPage = await newPagePromise; ``` **What is the expected result?** An easier and consistent way to handle new tabs **What happens instead?** The developer has to write what looks like plumbing (internal/ low level) commands. Usage of waitForTarget might simplify this, but I've not been able to get the predicate to return the right types. Here's my non-functional code ``` private async getNewPageWhenLoaded() { const newTarget = await this._browser.waitForTarget(async (target) => { const newPage = await target.page(); await newPage.waitForNavigation(this._optionsNavigation); // const newPagePromise = new Promise(() => newPage.once('load', () => x(newPage))); return await newPage.evaluate("true"); }); return await newTarget.page(); } // elsewhere in the code const newPagePromise = this.getNewPageWhenLoaded(); await resultItem.element.click(); const newPage = <Page>await newPagePromise; //I get the following error DevTools listening on ws://127.0.0.1:31984/devtools/browser/bf86648d-d52d-42d8-a392-629bf96211d4 (node:5564) UnhandledPromiseRejectionWarning: Error: Navigation failed because browser has disconnected! at CDPSession.LifecycleWatcher._eventListeners.helper.addEventListener (<path-to-my-project>\node_modules\puppeteer\lib\FrameManager.js:1181:107) at CDPSession.emit (events.js:182:13) at CDPSession._onClosed (<path-to-my-project>\node_modules\puppeteer\lib\Connection.js:231:10) at Connection._onMessage (<path-to-my-project>\node_modules\puppeteer\lib\Connection.js:103:19) at WebSocketTransport._ws.addEventListener.event (<path-to-my-project>\node_modules\puppeteer\lib\WebSocketTransport.js:41:24) at WebSocket.onMessage (<path-to-my-project>\node_modules\ws\lib\event-target.js:120:16) at WebSocket.emit (events.js:182:13) at Receiver.receiverOnMessage (<path-to-my-project>\node_modules\ws\lib\websocket.js:741:20) at Receiver.emit (events.js:182:13) at Receiver.dataMessage (<path-to-my-project>\node_modules\ws\lib\receiver.js:417:14) -- ASYNC -- at Frame.<anonymous> (<path-to-my-project>\node_modules\puppeteer\lib\helper.js:144:27) at Page.waitForNavigation (<path-to-my-project>\node_modules\puppeteer\lib\Page.js:644:49) at Page.<anonymous> (<path-to-my-project>\node_modules\puppeteer\lib\helper.js:145:23) at newTarget._browser.waitForTarget (<path-to-my-project>\pageObjects\MyPage.js:104:27) at process._tickCallback (internal/process/next_tick.js:68:7) (node:5564) UnhandledPromiseRejectionWarning: Unhandled promise rejection. This error originated either by throwing inside of an async function without a catch block, or by rejecting a promise which was not handled with .catch(). (rejection id: 1) (node:5564) [DEP0018] DeprecationWarning: Unhandled promise rejections are deprecated. In the future, promise rejections that are not handled will terminate the Node.js process with a non-zero exit code. (node:5564) UnhandledPromiseRejectionWarning: TimeoutError: Navigation Timeout Exceeded: 300000ms exceeded at Promise.then (<path-to-my-project>\node_modules\puppeteer\lib\FrameManager.js:1276:21) -- ASYNC -- at Frame.<anonymous> (<path-to-my-project>\node_modules\puppeteer\lib\helper.js:144:27) at Page.waitForNavigation (<path-to-my-project>\node_modules\puppeteer\lib\Page.js:644:49) at Page.<anonymous> (<path-to-my-project>\node_modules\puppeteer\lib\helper.js:145:23) at newTarget._browser.waitForTarget (<path-to-my-project>\pageObjects\MyPage.js:104:27) at process._tickCallback (internal/process/next_tick.js:68:7) (node:5564) UnhandledPromiseRejectionWarning: Unhandled promise rejection. This error originated either by throwing inside of an async function without a catch block, or by rejecting a promise which was not handled with .catch(). (rejection id: 2) ```
feature,chromium
low
Critical
395,051,915
vscode
Overriding the default 'type' command and then calling the default 'type' command results in significantly slower execution time
- VSCode Version: 1.27.1 - OS Version: Windows 10 1809 - Machine processor: AMD A8-4555M APU Quad core clocked at 1.6GHz - Graphics card: AMD Radeon HD 7600G Does this issue occur when all extensions are disabled?: Yes (Aside from VSCodeVim - where the potential problem in the extensions API has been detected) Steps to Reproduce: 1. Override the 'type' command with `vscode.commands.registerCommand` 2. Call the default 'type' command instead of the custom command 3. Note the difference in execution time in calling `vscode.commands.executeCommand('type', ...) ` when no custom type command has been registered, vs. calling `vscode.commands.executeCommand('default: type', ...)` (when a custom command has been registered/is overriding the default 'type' command). On my machine, the difference in execution time is consistently an order of magnitude (roughly 20ms vs 200ms) larger every time the executeCommand('default: type', ...) is called after overriding. I have included some of my machine details here just-in-case - although I do doubt that they play any part in the issue here. One of VSCode's most popular plugins, VSCodeVim/Vim, has an issue experienced by a fair share of the VSCodeVim community, as can be seen in an issue raised over a year ago in their repo - VSCodeVim/Vim#2021. Typing in an editor window whilst this plugin is enabled results in an unbearably slow character render time, for a range of slower (and perhaps sometimes slighty-faster-than-slow) machines. During a screen-share a little while ago with @shawnaxsom, a contributor to the VSCodeVim community, we boiled the problem down to the 'type' command being overridden, and then having the default type command executed afterwards. For example, from my understanding of the VSCodeVim extension, the 'type' command is overridden like so: `vscode.commands.registerCommand('type', async ...` The default 'type' command is then called when needed, with code like this: `await vscode.commands.executeCommand('default:type', { text });` We measured the time taken for an ordinary (non-overridden) execution of the type command (which was roughly 20ms on my machine), vs. then calling 'default: type' command, which was always roughly 10x slower. Even though I am not familiar with the extensions API, this is puzzling, since these two calls should be doing exactly the same thing, yet calling `executeCommand('default: type', ...)` results in a much slower execution time of the default type command. I guess it has been an assumption that the source code in the VSCodeVim extension has been responsible for the severe typing slowness (or, it has only been occurring on slow machines, since it does not occur for everyone using the extension), but our screenshare led us to the conclusion that it appears to be this part of the extensions API which seems to be responsible. I imagine, also, that the much-slower execution time also occurs on faster machines, but it is simply not noticeable due to the fact that the faster processing/graphical power prevents the comparably slower call to the 'type' command being made visible rendering-wise. Even though it shouldn't matter, It is perhaps worth mentioning too, that even if the overridden (type) command is doing minimal work, as far as I know (I think we also tested this), the significant execution time difference still occurs.
feature-request,VIM,extension-host,perf
high
Major
395,069,413
TypeScript
"is not a constructor" should be detected in compile time as "used before its declaration."
<!-- Please try to reproduce the issue with `typescript@next`. It may have already been fixed. --> **TypeScript Version:** 3.2.2 This repository demonstrates that I run in to the issue in ts@next. https://github.com/qballer/tsbug <!-- Search terms you tried before logging this (so others can find this issue more easily) --> **Search Terms:** constructor, lexical scope, run time error vs compile time **Code** ```ts const b = getB() function getB() { // will throw C is not a constructor in runtime return new C() // ** } // Will generate: Class 'C' used before its declaration. // const instanceOfC = new C() class C {} ``` **Expected behavior:** Should generate: Class 'C' used before its declaration. **Actual behavior:** Explodes in runtime with 'is not a constructor' error. **Playground Link:** <!-- A link to a TypeScript Playground "Share" link which demonstrates this behavior --> [Playground](http://www.typescriptlang.org/play/#src=const%20b%20%3D%20getB()%20%0D%0A%0D%0Afunction%20getB()%20%7B%0D%0A%20%20%20%20return%20new%20C()%0D%0A%7D%0D%0A%0D%0Aclass%20C%20%7B%7D) [Repo](https://github.com/qballer/tsbug) **Related Issues:** <!-- Did you find other bugs that looked similar? -->
Suggestion,Awaiting More Feedback,Experience Enhancement
low
Critical
395,075,146
You-Dont-Know-JS
"abc".match( RegExp.prototype ) gives an error
When you call `"abc".match( RegExp.prototype )` the console will give an error: Method RegExp.prototype.exec called on incompatible receiver [object Object] To avoid this, you need to convert RegExp.prototype to a String, like this: `"abc".match( RegExp.prototype.toString() ); \\null` which returns `null` because the match method could not find any string with the pattern of `"/(?:)/"`. When match finds something it will return an **Array Object,** for example: `"abc".match(/ab/); `returns` ["ab"];` PR #1397
for second edition
medium
Critical
395,089,443
TypeScript
Optional fields affecting keyof operator in generic class decorators
**TypeScript Version:** 3.2.2 <!-- Search terms you tried before logging this (so others can find this issue more easily) --> **Search Terms:** class decorator keyof typescript **Code** ```ts function View<T>(name: string, fields: (keyof T)[]) { return (target: new(...args: any[]) => T) => { // Do something with fields }; } // works @View('active', ['street1', 'street2']) class Address { street1: string; street2: string; } // broken @View('active', ['street1', 'street2']) class AddressBroken { street1: string; street2?: string; } ``` **Expected behavior:** Both scenarios should work above. **Actual behavior:** It appears that optional fields are causing the decorator to create invalid types. ``` Argument of type 'typeof AddressBroken' is not assignable to parameter of type 'new (...args: any[]) => { street1: any; street2: any; }'. Type 'AddressBroken' is not assignable to type '{ street1: any; street2: any; }'. Property 'street2' is optional in type 'AddressBroken' but required in type '{ street1: any; street2: any; }'. 1234 ``` **Playground Link:** [Playground Sample](http://www.typescriptlang.org/play/#src=%0D%0Afunction%20View%3CT%3E(name%3A%20string%2C%20fields%3A%20(keyof%20T)%5B%5D)%20%7B%0D%0A%20%20return%20(target%3A%20new(...args%3A%20any%5B%5D)%20%3D%3E%20T)%20%3D%3E%20%7B%0D%0A%20%20%20%20%2F%2F%20Do%20something%20with%20fields%0D%0A%20%20%7D%3B%0D%0A%7D%0D%0A%0D%0A%2F%2F%20works%0D%0A%40View('active'%2C%20%5B'street1'%2C%20'street2'%5D)%0D%0Aclass%20Address%20%7B%0D%0A%20%20street1%3A%20string%3B%0D%0A%20%20street2%3A%20string%3B%0D%0A%7D%0D%0A%0D%0A%2F%2F%20broken%0D%0A%40View('active'%2C%20%5B'street1'%2C%20'street2'%5D)%0D%0Aclass%20AddressBroken%20%7B%0D%0A%20%20street1%3A%20string%3B%0D%0A%20%20street2%3F%3A%20string%3B%0D%0A%7D%0D%0A)
Suggestion,In Discussion,Domain: Mapped Types
low
Critical
395,098,879
go
cmd/go: document different ways go.sum is populated
<!-- Please answer these questions before submitting your issue. Thanks! --> ### What version of Go are you using (`go version`)? <pre> $ go version go version go1.11.4 darwin/amd64 </pre> ### Does this issue reproduce with the latest release? 1.11.4 is the latest release ### What operating system and processor architecture are you using (`go env`)? <details><summary><code>go env</code> Output</summary><br><pre> $ go env GOARCH="amd64" GOBIN="" GOCACHE="/Users/lukasz/Library/Caches/go-build" GOEXE="" GOFLAGS="" GOHOSTARCH="amd64" GOHOSTOS="darwin" GOOS="darwin" GOPATH="/Users/lukasz/Go" GOPROXY="" GORACE="" GOROOT="/usr/local/go" GOTMPDIR="" GOTOOLDIR="/usr/local/go/pkg/tool/darwin_amd64" GCCGO="gccgo" CC="clang" CXX="clang++" CGO_ENABLED="1" GOMOD="" CGO_CFLAGS="-g -O2" CGO_CPPFLAGS="" CGO_CXXFLAGS="-g -O2" CGO_FFLAGS="-g -O2" CGO_LDFLAGS="-g -O2" PKG_CONFIG="pkg-config" GOGCCFLAGS="-fPIC -m64 -pthread -fno-caret-diagnostics -Qunused-arguments -fmessage-length=0 -fdebug-prefix-map=/var/folders/qs/6r1dd8md22bggtghnmmhlf9m0000gn/T/go-build246619765=/tmp/go-build -gno-record-gcc-switches -fno-common" </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. --> This was noticed via https://github.com/renovatebot/renovate/issues/3017, I didn't manage to find any details of what should be in `go.sum`. `go get -d` populates `go.sum` file with different content if a dependency present in `go.mod` is used or not #### Dependency used go.mod: ``` module github.com/prymitive/test require gopkg.in/yaml.v2 v2.2.2 ``` main.go ``` package main import _ "gopkg.in/yaml.v2" func main() {} ``` Running `go get` creates a `go.sum` file: ``` $ GO111MODULE=on go get -d $ cat go.sum gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/yaml.v2 v2.2.2 h1:ZCJp+EgiOT7lHqUV2J862kp8Qj64Jo6az82+3Td9dZw= gopkg.in/yaml.v2 v2.2.2/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= ``` #### If I remove `import _ "gopkg.in/yaml.v2"` line from `main.go` so that it contains: ``` package main func main() {} ``` Remove `go.sum` and re-run `go get`: ``` $ rm go.sum $ GO111MODULE=on go get -d $ cat go.sum gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/yaml.v2 v2.2.2/go.mod h1:hI93XBmqTisBFMUTm0b8Fm+jr3Dg1NNxqwp+5A1VGuI= ``` I'll get one line less in `go.sum` file (`gopkg.in/yaml.v2 v2.2.2 h1:ZCJp+EgiOT7lHqUV2J862kp8Qj64Jo6az82+3Td9dZw=`). ### What did you expect to see? I expected `go.sum` to be created in a consistent way, which would help with reproducible builds. Having documentation around it would help manage expectations around the behavior of how `go.sum` is populated under different scenarios. One reason that know this is useful is that it was mentioned that `go.sum` is "kinda like a lockfile" and one should commit it to the vcs. Because it gets populated differently under different scenarios it's not clear to me _when_ should I commit it. After reading that `go mod tidy` ensures that [dependecies for all possible OS/arch combos](https://github.com/golang/go/wiki/Modules#why-does-go-mod-tidy-record-indirect-and-test-dependencies-in-my-gomod) are preset it seems to me that ideally one should commit `go.sum` only after running `go mod tidy`, otherwise some commands might generate local changes in that file. ### What did you see instead? `go.sum` is created with different content depending on which dependencies from `go.mod` are imported.
Documentation,NeedsFix
low
Critical
395,102,537
flutter
Add boxShadow to ClipPath
Hi there, I'm trying to add a boxShadow to a clipped container, but I can't find any docs or way to do it. The closest thing I could find is this stackoverflow answer, but it seems a bit too low level https://stackoverflow.com/questions/51232532/how-to-add-a-border-to-a-clipped-image I assume this show could be expanded to request having the ability to add a border or a border shadow to any type of clipped widgets.
c: new feature,framework,P2,team-framework,triaged-framework
low
Major
395,109,885
godot
Nothing gets printed in release build
Godot 3.1 ee6f1fa3f8a7aa48ed9becb0039f39e1c7f395cc Windows 10 64 bits I made a release build of the engine to test a change I'm working on, but nothing gets printed in the console. I need to `print()` from GDScript, but even this outputs nothing. Is there something I'm missing? I also launched Godot with the `-v` flag. I can't even `printf`, and I also can't place a C++ breakpoint to see what I print, because... it's a release build. This prevents me from testing constrained code regions.
bug,topic:core
low
Major
395,110,436
godot
Godot crashes on window resize on NVIDIA graphics cards (fixed in `master`)
___ ***Bugsquad edit:** This issue has been confirmed several times already. No need to confirm it further.* ___ **Godot version:** v3.0.6 (About page lists Godot Engine v3.0.6.stable.official.8314054) **OS/device including version:** Windows 10 Pro, NVIDIA Display Driver v417.35 Godot executable console prints 'OpenGL ES 3.0 Renderer: GeForce GTX 1080/PCIe/SSE2' **Issue description:** This happens to me with all Godot-built applications I've tried and/or built myself so far. Upon every resize along a corner, the application runs the risk of crashing. This will give no error, but silently exit the application. While it does give a 'server disconnected' error, I presume this is the debugging socket. - The crash can be triggered by (rapidly) resizing the window by clicking and dragging along the **corners only**. If you resize it slower, it will still crash, but take a longer time. - This happens with **any** project I've tested so far. To test, I have started a new project, added a single Panel, and built the executable. This will also crash with the step described above. - It will **not** occur when resizing along only one axis, not along any single edge. - It will not occur when maximizing or restoring the window, no matter how often. - Moving the whole application window off the screen to force repainting will not crash it either. <!-- What happened, and what was expected. --> **Steps to reproduce:** - Build a Godot application on Windows, or run the project from within the editor. Make sure the project is windowed, and the settings allow for resizing the window. - Resize the application along any *corner* point. It has to be a corner. Dragging the corner around fast will make the crash occur earlier. If the mouse is jerked around fast enough, it will always crash within a second. - The application will lock up for a second, then silently crash. **Minimal reproduction project:** Any, as far as I can tell. Create a new project, add a panel and build/test it. <!-- Recommended as it greatly speeds up debugging. Drag and drop a zip archive to upload it. -->
bug,platform:windows,topic:rendering,topic:porting,confirmed,crash
medium
Critical
395,126,994
flutter
AnimatedCrossFade clips CircularProgressIndicator
## Steps to Reproduce 1. Create a Text widget. 2. Create a `CircularProgressIndicator` widget, Increase `strokeWidth` to 10 _to better see the issue_. 3. Use `AnimatedCrossFade` widget to toggle between the two. 4. Check out the CircularProgressIndicator sides you will find that it's clipped Note: Adding padding resulted in a skewed indicator, Which is even more strange. ## Detailed issue demonstration ![2019-01-02 22 01 06](https://user-images.githubusercontent.com/25884937/50609959-f6a1c600-0ed9-11e9-98c4-ff2a92007ce1.gif) ## Code to reproduce In a stateful widget ```dart import 'package:flutter/material.dart'; void main() => runApp(MyApp()); class MyApp extends StatefulWidget { // This widget is the root of your application. @override MyAppState createState() { return new MyAppState(); } } class MyAppState extends State<MyApp> { CrossFadeState xFadeState = CrossFadeState.showFirst; @override Widget build(BuildContext context) { return MaterialApp( title: 'Issue Demo', home: Scaffold( body: Center( child: Container( color: Colors.red, width: 50, height: 50, child: GestureDetector( onTap: () { setState(() { xFadeState == CrossFadeState.showSecond ? xFadeState = CrossFadeState.showFirst : xFadeState = CrossFadeState.showSecond; }); }, child: Center( child: AnimatedCrossFade( firstChild: Text('data'), secondChild: SizedBox( height: 20, width: 20, child: CircularProgressIndicator(), ), duration: Duration(milliseconds: 250), crossFadeState: xFadeState, ), ), ), ), ), ), ); } } ``` Without the `SizedBox` ![2019-01-02 22 06 05](https://user-images.githubusercontent.com/25884937/50610179-b0009b80-0eda-11e9-8d76-c5c64c7dc065.gif) With padding around the `CircularProgressIndicator`, Issue seems to be fixed but during transition the indicator is skewed as demonstrated by this gif, Surrounding the padding with a `SizedBox` shows that the `AnimatedCrossFade` doesn't respect the `SizedBox`'s Size and skews the indicator while animating the size transition anyway. ![2019-01-02 22 07 28](https://user-images.githubusercontent.com/25884937/50610285-1c7b9a80-0edb-11e9-9e47-da4af9992644.gif) I hope this is enough detail to reproduce, I'll be glad to provide more if needed. ## `flutter doctor -v` ``` [✓] Flutter (Channel stable, v1.0.0, on Mac OS X 10.13.6 17G4015, locale en-EG) • Flutter version 1.0.0 at /Users/pushqrdx/Library/Developer/Flutter • Framework revision 5391447fae (5 weeks ago), 2018-11-29 19:41:26 -0800 • Engine revision 7375a0f414 • Dart version 2.1.0 (build 2.1.0-dev.9.4 f9ebf21297) [✓] Android toolchain - develop for Android devices (Android SDK 28.0.0) • Android SDK at /Users/pushqrdx/Library/Developer/Xamarin/android-sdk-macosx/ • Android NDK at /Users/pushqrdx/Library/Developer/Xamarin/android-sdk-macosx/ndk-bundle • Platform android-28, build-tools 28.0.0 • ANDROID_HOME = /Users/pushqrdx/Library/Developer/Xamarin/android-sdk-macosx/ • Java binary at: /Users/pushqrdx/Library/Java/JavaVirtualMachines/jdk-9.0.4.jdk/Contents/Ho me/bin/java • Java version OpenJDK Runtime Environment (build 9.0.4+11) • All Android licenses accepted. [✓] iOS toolchain - develop for iOS devices (Xcode 10.1) • Xcode at /Applications/Xcode.app/Contents/Developer • Xcode 10.1, Build version 10B61 • ios-deploy 1.9.4 • CocoaPods version 1.5.3 ```
framework,a: animation,f: material design,has reproducible steps,P2,found in release: 3.3,found in release: 3.5,team-design,triaged-design
low
Major
395,138,250
rust
Clarify docs around what libcore users must declare
I find [the documentation about what libcore depends on](https://github.com/rust-lang/rust/blob/7a0911528058e87d22ea305695f4047572c5e067/src/libcore/lib.rs#L21-L39) a bit confusing right now. I'm trying to make my `#[no_std]` crate compile after a year on inactivity for context. Now firstly, this section describes several symbols, but is the actual symbol name relevant (ignoring `memcpy`/`memset`/etc)? Or do we only care about the existence of some function labeled with the appropriate attribute? The distinction between symbol name and the associated lang attribute is confusing here. >rust_begin_panic - This function takes four arguments, a fmt::Arguments, a &'static str, and two u32's. These four arguments dictate the panic message, the file at which panic was invoked, and the line and column inside the file. It is up to consumers of this core library to define this panic function; it is only required to never return. This requires a lang attribute named panic_impl. It appears that the `#[lang="panic_impl"]` mentioned is already declared in [`libcore/panicking.rs`](https://github.com/rust-lang/rust/blob/7a0911528058e87d22ea305695f4047572c5e067/src/libcore/panicking.rs#L76). It appears that this should refer to `#[lang = "panic_fmt"]` instead, which is what `libcore` users formerly had to declare but is now [implicitly declared by by the new `#[panic_handler]`](https://github.com/rust-lang/rfcs/blob/master/text/2070-panic-implementation.md#panic_implementation). Rustc will complain about missing a `#[panic_handler]` currently. So this section should probably be updated to refer to `#[panic_handler]` instead. >rust_eh_personality - is used by the failure mechanisms of the compiler. This is often mapped to GCC's personality function, but crates which do not trigger a panic can be assured that this function is never called. The lang attribute is called eh_personality. It should probably be mentioned that `#[lang="eh_personality"]` seems only necessary if `panic=unwind`. Additionally should perhaps mention `_Unwind_Resume` as well (which theoretically is only necessary for `panic=unwind` builds but can erroneously be required for `panic=abort opt-level=0` builds see #53301). There's actually more of these `eh` functions that should be perhaps mentioned depending on your target. The subtleties are explained in `libpanic_unwind` and `libpanic_abort`. Along the same lines, the docs of `liballoc` should probably also mention `#[alloc_error_handler]` (see #51540). I can try writing up a draft or PR but wanted to get feedback first.
C-enhancement,T-libs-api,A-docs
low
Critical
395,142,529
vue-element-admin
tags-view 的使用问题
怎么将列表页面和详情页面都使用一个 tags?也就是 tags 处于 active 状态 列表: ![image](https://user-images.githubusercontent.com/16145443/50579762-0d68fe00-0e83-11e9-93e2-e05ae08495bf.png) 详情: ![image](https://user-images.githubusercontent.com/16145443/50579770-1954c000-0e83-11e9-96b8-6fbc6f3d962f.png)
feature
low
Major
395,159,662
rust
Unused symbol breaks Profiled Guided Optimization (PGO)
My crate is structured to build both a `bin` and a `dylib` that is loaded by a 3rd-party program. The stand-alone `bin` part doesn't actually use any of the external symbols, so despite it sharing code with the `lib` part, it runs fine without the symbols being defined. However, when I turn on PGO, these undefined symbols cause linking errors. My expectation is that if my crate works without PGO, it should work with PGO enabled, but maybe that's incorrect? My actual crate gets these undefined symbols from here: https://github.com/robsmith11/krust/blob/master/src/kbindings.rs#L483 But this minimal example reproduces the problem: ``` fn main() { } extern "C" { pub fn f(); } #[no_mangle] pub extern fn g() { unsafe { f(); } } ``` ``` $ RUSTFLAGS="-Z pgo-gen=/tmp/prof.data" cargo run --release Compiling play v0.1.0 (/home/me/e/code/play) error: linking with `cc` failed: exit code: 1 | = note: "cc" "-Wl,--as-needed" "-Wl,-z,noexecstack" "-m64" "-L" "/home/me/.rustup/toolchains/nightly-x86_64-unknown-linux-gnu/lib/rustlib/x86_64-unknown-linux-gnu/lib" "/tmp/target_play/release/deps/play-e890b10933e5432f.play.1uu11z5v-cgu.0.rcgu.o" "-o" "/tmp/target_play/release/deps/play-e890b10933e5432f" "-Wl,--gc-sections" "-pie" "-Wl,-zrelro" "-Wl,-znow" "-Wl,-O1" "-nodefaultlibs" "-L" "/tmp/target_play/release/deps" "-L" "/home/me/.rustup/toolchains/nightly-x86_64-unknown-linux-gnu/lib/rustlib/x86_64-unknown-linux-gnu/lib" "-Wl,-Bstatic" "/tmp/rustcvLfVyu/libprofiler_builtins-4ecfbf392fb1b2b9.rlib" "-Wl,--start-group" "/tmp/rustcvLfVyu/libstd-4f6a41fe25da1d4f.rlib" "-Wl,--end-group" "/home/me/.rustup/toolchains/nightly-x86_64-unknown-linux-gnu/lib/rustlib/x86_64-unknown-linux-gnu/lib/libcompiler_builtins-cd088bc8787919ee.rlib" "-Wl,-Bdynamic" "-ldl" "-lrt" "-lpthread" "-lgcc_s" "-lc" "-lm" "-lrt" "-lpthread" "-lutil" "-lutil" "-u" "__llvm_profile_runtime" = note: /usr/bin/ld: /tmp/target_play/release/deps/play-e890b10933e5432f.play.1uu11z5v-cgu.0.rcgu.o: in function `g': play.1uu11z5v-cgu.0:(.text.g+0xa): undefined reference to `f' collect2: error: ld returned 1 exit status ``` EDIT: Not sure whether it's relevant, but removing the `#[no_mangle]` makes it work with PGO.
A-linkage,C-bug
low
Critical
395,164,444
opencv
Feature Request : Image stitcher to use Lat Lon of image (if available) so as to speed up stitching of drone Images
<!-- If you have a question rather than reporting a bug please go to http://answers.opencv.org where you get much faster responses. If you need further assistance please read [How To Contribute](https://github.com/opencv/opencv/wiki/How_to_contribute). Please: * Read the documentation to test with the latest developer build. * Check if other person has already created the same issue to avoid duplicates. You can comment on it if there already is an issue. * Try to be as detailed as possible in your report. * Report only one problem per created issue. This is a template helping you to create an issue which can be processed as quickly as possible. This is the bug reporting section for the OpenCV library. --> ##### System information (version) <!-- Example - OpenCV => 3.1 - Operating System / Platform => Windows 64 Bit - Compiler => Visual Studio 2015 --> - OpenCV => :grey_question: - Operating System / Platform => :grey_question: - Compiler => :grey_question: ##### Detailed description <!-- your description --> I am trying to stitch around 300 drone images from ( https://senseflycom.s3.amazonaws.com/datasets/sequoia-rgb-dataset/sequoia-rgb-images.zip ) as a project using opencv what i think , we first calculate feature descriptors , than we match all images against a image (so here i guess algo is trying to find best matches from other 299 images ) so if Lats Lons are available we already know which images will get stitched so we only have to look for nearest like 8-10 images (in all directions) rather than matching to all 299 images ##### Steps to reproduce <!-- to add code example fence it with triple backticks and optional file extension ```.cpp // C++ code example ``` or attach as .txt or .zip file -->
feature,category: stitching,incomplete
low
Critical
395,166,076
flutter
cameraController operations block the UI thread for up to ~500ms at a time on iOS
`CameraController` operations return `async`/`await` Futures, but many of them run synchronously. For example, `CameraController.initalize()` calls `AVCaptureSession.addInput()`, `addOutput()`, `startRunning()` etc all of which freeze the UI thread momentarily. As an alternative, it's recommended that `AVCaptureSession` operations be called on a dedicated serial `DispatchQueue`.
platform-ios,c: performance,p: camera,package,P2,team-ios,triaged-ios
low
Major
395,168,255
TypeScript
Re-exporting a default export that doesn't exist with allowSyntheticDefaultExports true causes assert failures in getDefaultExportInfoWorker
<!-- 🚨 STOP 🚨 𝗦𝗧𝗢𝗣 🚨 𝑺𝑻𝑶𝑷 🚨 Half of all issues filed here are duplicates, answered in the FAQ, or not appropriate for the bug tracker. Even if you think you've found a *bug*, please read the FAQ first, especially the Common "Bugs" That Aren't Bugs section! Please help us by doing the following steps before logging an issue: * Search: https://github.com/Microsoft/TypeScript/search?type=Issues * Read the FAQ: https://github.com/Microsoft/TypeScript/wiki/FAQ Please fill in the *entire* template below. --> Ever since VSCode 1.28.x started using Typescript 3.x, we've been unable to use code completion or auto imports due to the assert within "getDefaultExportInfoWorker" where it validated that the alias for a default export was set. This would cause an incomprehensible error within getCodeFixes and completionEntryDetails as reported in the comment https://github.com/Microsoft/vscode/issues/61660#issuecomment-438529162 Errors with line numbers as reported in typescript 3.3.0-dev.20190101: ``` [Error - 6:20:50 PM] 'completionEntryDetails' request failed with error. Error processing request. Debug Failure. Error: Debug Failure. at Object.assertDefined (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:1482:24) at getDefaultExportInfoWorker (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111582:80) at getDefaultLikeExportInfo (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111563:24) at /home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111360:35 at forEachExternalModule (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111703:21) at getAllReExportingModules (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111355:13) at Object.getImportCompletionAction (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111341:31) at getCompletionEntryCodeActionsAndSourceDisplay (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:96475:33) at Object.getCompletionEntryDetails (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:96439:30) at Object.getCompletionEntryDetails (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:117739:35) at /home/dawnmist/app/node_modules/typescript/lib/tsserver.js:125895:57 at Object.mapDefined (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:601:30) at IOSession.Session.getCompletionEntryDetails (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:125893:33) at Session.handlers.ts.createMapFromTemplate._a.(anonymous function) (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:124879:61) at /home/dawnmist/app/node_modules/typescript/lib/tsserver.js:126357:88 at IOSession.Session.executeWithRequestId (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:126348:28) at IOSession.Session.executeCommand (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:126357:33) at IOSession.Session.onMessage (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:126379:35) at Interface.<anonymous> (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:127640:27) at emitOne (events.js:116:13) at Interface.emit (events.js:211:7) at Interface._onLine (readline.js:282:10) at Interface._normalWrite (readline.js:424:12) at Socket.ondata (readline.js:141:10) at emitOne (events.js:116:13) at Socket.emit (events.js:211:7) at addChunk (_stream_readable.js:263:12) at readableAddChunk (_stream_readable.js:250:11) at Socket.Readable.push (_stream_readable.js:208:10) at Pipe.onread (net.js:594:20) [Error - 6:20:51 PM] 'getCodeFixes' request failed with error. Error processing request. Debug Failure. Error: Debug Failure. at Object.assertDefined (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:1482:24) at getDefaultExportInfoWorker (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111582:80) at getDefaultLikeExportInfo (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111563:24) at /home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111546:35 at /home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111690:21 at forEachExternalModule (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111703:21) at forEachExternalModuleToImportFrom (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111688:13) at getExportInfos (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111544:13) at getFixesInfoForNonUMDImport (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111530:57) at getFixesInfo (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111471:50) at Object.getCodeActions (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:111233:28) at /home/dawnmist/app/node_modules/typescript/lib/tsserver.js:108932:121 at Object.flatMap (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:504:25) at Object.getFixes (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:108932:23) at /home/dawnmist/app/node_modules/typescript/lib/tsserver.js:118039:35 at Object.flatMap (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:504:25) at Object.getCodeFixesAtPosition (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:118037:23) at IOSession.Session.getCodeFixes (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:126188:64) at Session.handlers.ts.createMapFromTemplate._a.(anonymous function) (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:124994:61) at /home/dawnmist/app/node_modules/typescript/lib/tsserver.js:126357:88 at IOSession.Session.executeWithRequestId (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:126348:28) at IOSession.Session.executeCommand (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:126357:33) at IOSession.Session.onMessage (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:126379:35) at Interface.<anonymous> (/home/dawnmist/app/node_modules/typescript/lib/tsserver.js:127640:27) at emitOne (events.js:116:13) at Interface.emit (events.js:211:7) at Interface._onLine (readline.js:282:10) at Interface._normalWrite (readline.js:424:12) at Socket.ondata (readline.js:141:10) at emitOne (events.js:116:13) at Socket.emit (events.js:211:7) at addChunk (_stream_readable.js:263:12) at readableAddChunk (_stream_readable.js:250:11) at Socket.Readable.push (_stream_readable.js:208:10) at Pipe.onread (net.js:594:20) ``` The error had been occurring for typescript 3.0.x, 3.1.x, 3.2.x, 3.3.x. Typescript 2.9.2 was not throwing the assert failures, so VSCode would function with a workspace setting of typescript 2.9.2 (though losing other functionality that depended on typescript 3.x) & code would still compile without issues in all typescript versions. The assert and stack trace provide no details with which to identify where the problem that is causing the assert failure is coming from. These errors then break both code-completion information (file locations, documentation, etc) and auto-imports in VSCode 1.28.x-1.30.x. Several interrelated bugs have also been causing issues for those items, resulting in the original issues being closed as fixed when some people were still having problems without being able to identify why. After spending two days tracing through the issue: * I started with checking whether the issue occurred in a new react project that had defined the same list of node_modules, since when the issues with code completion/auto imports in VSCode first started there was some discussion that some npm modules could cause similar crashes in the typescript version being used at that time. I found that VSCode worked properly & there were no assertion errors thrown then, indicating that the error was somewhere within our project code itself. * I then tested turning off allowSyntheticDefaultExports in the original project since the assert being failed appeared to be when looking for an aliased default export. This then required alteration of imports for lodash, moment, several react component libraries, etc, in order to allow the existing code to compile again with allowSyntheticDefaultExports turned off. * About 95% of the way through dealing with the import issues from turning off allowSyntheticDefaultExports, I finally received an error message that one of our files was trying to re-export the default export from another file that did not actually contain a default export. * After completing turning off allowSyntheticDefaultExports and removing the faulty re-export in our file, the assert failures inside getDefaultExportInfoWorker no longer occurred. * I then turned allowSyntheticDefaultExports back on, and undid all changes _except_ the bugfix for the faulty re-export in our file, and the assert failures inside getDefaultExportInfoWorker still no longer occurred. When in ES6 mode with allowSyntheticDefaultExports, no warning/error is produced for re-exporting a default export that doesn't exist. As such, the only way the user knows that there is an error somewhere (but with no information about where) is when the typescript language server starts throwing assert failures that break VSCode's code completion & auto-import functionality. <!-- Please try to reproduce the issue with `typescript@next`. It may have already been fixed. --> **TypeScript Version:** 3.0.x, 3.1.x, 3.2.x, 3.3.0-dev.20190101 <!-- Search terms you tried before logging this (so others can find this issue more easily) --> **Search Terms:** default export, allowSyntheticDefaultExports, alias, getDefaultExportInfoWorker, getCodeFixes, completionEntryDetails. **Code** componentA/A.tsx ```ts export interface AProps { message: string; } export const A = (props: AProps) => <h1>{props.message}</h1>; ``` componentA/index.tsx ```ts export { default } from './A'; export * from './A'; ``` **Expected behavior:** Typescript should identify and report that the `export { default }` line in `componentA/index.tsx` is an error regardless of whether `allowSyntheticDefaultExports` is true or false. **Actual behavior:** When `allowSyntheticDefaultExports` is true, no error is reported and the typescript language server instead throws assertion failures in `getDefaultExportInfoWorker` that result in breaking VSCode's code completion info and auto-import functionality. **Related Issues:** <!-- Did you find other bugs that looked similar? --> https://github.com/Microsoft/vscode/issues/61660 https://github.com/Microsoft/TypeScript/issues/28149 https://github.com/Microsoft/TypeScript/issues/27636 https://github.com/Microsoft/TypeScript/issues/27640
Bug,Domain: Completion Lists,Crash
low
Critical
395,176,907
flutter
API docs are missing the overview for all package docs
The lower part of the sidenav on https://docs.flutter.io/ contains links to API docs for a number of packages exposed by Flutter. For those docs, there seems to be no way to get to the overview page of the package docs. For example, the sidenav contains `term_glyph`. The overview page of that package is [shown here on pub](https://pub.dartlang.org/documentation/term_glyph/latest/). But when you click `term_glyph` in the sidenav on `docs.flutter.io`, [I don't see](https://docs.flutter.io/flutter/package-term_glyph_term_glyph/package-term_glyph_term_glyph-library.html) that overview. **Update 9. nov 2022**: The API docs page is now https://api.flutter.dev/. This still has the issue. For example, when you click `characters` in the left-nav you get [this page](https://api.flutter.dev/flutter/characters/characters-library.html), but I think the landing page should be [this page](https://pub.dev/documentation/characters/latest/).
framework,d: api docs,P2,team-framework,triaged-framework
low
Major
395,196,424
rust
const fn: Missing tracking issue and feature gate name in stability error messages
In rustc 1.33.0-nightly (a2b0f247b 2018-12-30), compare for example: ```rust error: function pointers in const fn are unstable --> a.rs:1:26 | 1 | const fn foo(x: fn()) -> fn() { x } | ^^^^ error: aborting due to previous error ``` … with the error message for some other unstable language feature: ```rust error[E0658]: box expression syntax is experimental; you can call `Box::new` instead. (see issue #49733) --> a.rs:1:24 | 1 | fn foo() -> Box<u32> { box 4 } | ^^^^^ | = help: add #![feature(box_syntax)] to the crate attributes to enable error: aborting due to previous error ```
C-enhancement,A-diagnostics,T-compiler,A-const-eval
low
Critical
395,219,355
godot
Typing in Transform/Matrix Section Makes Linux Freeze
**Godot version:** Version 3.1 Alpha 4 (This bug also happens in Godot Version 3.1 Alpha 3) **OS/device including version:** Fedora Workstation 29 Silverblue **Issue description:** Sometimes when I typing in Transform/Matrix section in the Inspector to change their values, my computer becomes freezing. When it becomes normal again, I looked at my System Monitor and it shows "ibus-daemon" and "gnome-shell" each takes my RAM about 1 GB+. **Steps to reproduce:** Just typing in Transform/Matrix section. **Minimal reproduction project:** This bug happens to every my project files.
bug,platform:linuxbsd,confirmed,topic:input
low
Critical
395,235,471
vscode
Emmet dollar sign $ being automatically escaped within abbreviation text when no star * operator
- VSCode Version: 1.30.1 - OS Version: windows 10 No numeration in custom emmnet snippets with syntext +. Steps to Reproduce: 1. build custom snippet "test":"(div>div.aaa{$}+div.bbb{$})". 2. run custom snippet test*2 3. output ``` <div> <div class="aaa">$</div> <div class="bbb">1</div> </div> <div> <div class="aaa">$</div> <div class="bbb">2</div> </div> ``` no numeration in first div. error not ocure when I run custom snippet with internal muliplayer. "test":"(div>div.aaa{$}+div.bbb{$})*5". run test output: ``` <div> <div class="aaa">1</div> <div class="bbb">1</div> </div> <div> <div class="aaa">2</div> <div class="bbb">2</div> </div> ``` Does this issue occur when all extensions are disabled?: Yes
bug,upstream,emmet,upstream-issue-linked
low
Critical
395,235,997
kubernetes
Rethink pod affinity/anti-affinity
Pod Affinity/AntiAffinity is causing us a bunch of pain from performance/scalability perspective. Although scheduling SIG has done tremendous effort to improve it, it's still the very significant (most?) factor for scheduling throughput. The reason why this is so painful, is that it is cluster-wide function, i.e. we need to know the state of the whole cluster to compute feasibility/priority of a single node. This is unique (I'm consciously ignoring aggregation in priority function (e.g. normalization based on scores of all nodes), which is the only other exception) and this is the reason of our issues. I think that in order to significantly improve throughput, we need to somehow strenghten this predicate/priority. (I know it will be painful due to deprecation process), but here I propose that we say that the only allowed topology for pod affinity/anti-affinity is "node". What would this buy us: - computations of feasibiliyt/priority of a node is local to that node only - we can fully parallelize all the computations across nodes What do we lose: - the predicate/priority is no longer generic However, I claim that this function (as is) is not super useful in a generic case (the usecase is spreading across failure domains). And given that predicate is "at most one per FD" (not spread ~evenly), it's not generic enough to solve many cases. I think that if we would strenghten pod affinity/anti-affinity topology to be always "node" and in addition to that will introduce "spread evenly" function, that would be more beneficial. Thoughts? /kind feature /sig scheduling @davidopp @bsalamat @kubernetes/sig-scheduling-feature-requests
priority/important-soon,sig/scalability,sig/scheduling,kind/feature,lifecycle/frozen
medium
Critical
395,236,455
flutter
[google_maps_flutter] Maps Inside ListView with TextField is unable detect pinch/movie gestures, only double tap works
```dart import 'package:flutter/material.dart'; import 'package:google_maps_flutter/google_maps_flutter.dart'; class MapIssue extends StatefulWidget { @override _MapIssueState createState() => _MapIssueState(); } class _MapIssueState extends State<MapIssue> { GoogleMapController mapController; @override Widget build(BuildContext context) { double screenWidth = MediaQuery.of(context).size.width; double screenHeight = MediaQuery.of(context).size.height; return Scaffold( body: ListView( children: <Widget>[ Container( width: screenWidth, height: screenHeight, child: Column( children: <Widget>[ Expanded( child: GoogleMap( onMapCreated: (controller) { setState(() { mapController = controller; }); }, options: GoogleMapOptions( cameraPosition: CameraPosition(target: LatLng(5.4164, 100.3327), zoom: 10) // cameraPosition: CameraPosition( // target: LatLng(myPosition.latitude, // myPosition.longitude), // zoom: 14) ), ), ), TextField(), ], ) ), ], ) ); } } ``` Steps to reproduce issue 1. hit on textfield at the bottom 2. hit the done button on the keyboard. 3. try to pinch and or move the view of the map moving the camera on the map becomes glitched moving sometimes and most of the time not.
a: text input,framework,f: scrolling,f: gestures,p: maps,package,team-ecosystem,has reproducible steps,P2,found in release: 1.20,found in release: 2.0,found in release: 2.2,triaged-ecosystem
low
Major
395,246,226
flutter
Hot Reload for tests
Hot Reload is one of the biggest selling points of Flutter. It makes development fast. At least when writing user interfaces. Unit tests don't support Hot Reload. With Dart2, spawning a new Isolate for each test file, tests became rather slow (multiple seconds until seeing first results). It would be great when Hot Reload would also work for tests, making not only UI development fast but also TDD fun. Related https://github.com/dart-lang/sdk/issues/32953
a: tests,c: new feature,tool,t: hot reload,P2,team-tool,triaged-tool
low
Major
395,251,704
opencv
OpenCV Lanczos5 interpolation request
Detailed description This is a feature request instead of a bug report. I need to use Lanczos5 as interpolation and at this moment the only Lanczos supported is Lanczos4. I have asked here http://answers.opencv.org/question/206261/lanczos5-instead-of-lanczos4/ if is it possible to use Lanczos5 instead of Lanczos4, but as I've found in my researches it is not possible. The proposition is to include the Lanczos5 interpolation into OpenCV. As I could see there is no major impact in the existing code.
feature,category: imgproc
low
Critical
395,256,272
angular
Service Worker Push requestSubscription error on SAFARI 12
# 🐞 bug report ### Affected Package The issue is caused by package @angular/service-worker ### Is this a regression? I don't know ### Description The swPush requestSubscription break on SAFARI browser ## 🔬 Minimal Reproduction ```javascript import { Optional, Injectable } from '@angular/core'; import { HttpClient } from '@angular/common/http'; import { SwPush } from '@angular/service-worker'; import { Observable } from 'rxjs'; import { environment } from '../../environments/environment'; import { PushNotification } from './notification'; @Injectable({ providedIn: 'root' }) export class NotificationService { constructor( private http: HttpClient, @Optional() private swPush: SwPush ) { } activate(): Observable<void> { return Observable.create((observer) => { this.swPush.requestSubscription({ serverPublicKey: environment.webPush.publicKey }).then((subscription: PushSubscription) => { this.http.post(`${environment.serverUrl}/subscription`, subscription).subscribe(() => { observer.next(); observer.complete(); }, (err) => { observer.error(err); }); }).catch((err) => { console.log(err): // => Here an error occurs on Safari : TypeError: undefined is not an object (evaluating 't.subscribe') observer.error(err); }); }); } sendNotification(notification: PushNotification): Observable<void> { return this.http.post<void>(`${environment.serverUrl}/notification`, notification); } messages(): Observable<PushNotification> { return <Observable<PushNotification>>this.swPush.messages; } } ``` ## 🔥 Exception or Error <pre><code> TypeError: undefined is not an object (evaluating 't.subscribe') </code></pre> ## 🌍 Your Environment **Angular Version:** <pre><code> Angular CLI: 7.1.4 Node: 8.11.3 OS: darwin x64 Angular: 7.1.4 ... animations, cli, common, compiler, compiler-cli, core, forms ... language-service, platform-browser, platform-browser-dynamic ... router, service-worker Package Version ----------------------------------------------------------- @angular-devkit/architect 0.11.4 @angular-devkit/build-angular 0.11.4 @angular-devkit/build-optimizer 0.11.4 @angular-devkit/build-webpack 0.11.4 @angular-devkit/core 7.1.4 @angular-devkit/schematics 7.1.4 @angular/cdk 7.2.0 @angular/material 7.2.0 @angular/pwa 0.11.4 @ngtools/webpack 7.1.4 @schematics/angular 7.1.4 @schematics/update 0.11.4 rxjs 6.3.3 typescript 3.1.6 webpack 4.23.1 AND : "@angular/service-worker": "~7.1.0", </code></pre> **Anything else relevant?** This issue is on Safari browser Version 12.0.2 (13606.3.4.1.4)
type: bug/fix,area: service-worker,state: confirmed,browser: safari,P3
medium
Critical
395,304,802
TypeScript
Compile module to a cache directory. Reuse cached output if inputs the same
## Suggestion It would be great if typescript had support for caching to a cache directory and reusing the cached compiler output if the input is the same. This would happen on a per-module basis ## Search Terms output cache, cache directory ## Use Cases This would be extremely useful for monorepos, especially on CI. It would shorten the average build times a lot ## Examples We built a simple prototype / proof of concept here: https://github.com/hfour/ctsc/ Here are the main advantages to project mode, pasted here: Project mode: * requires that all modules compile with declarations. This means that the toplevel application packages cannot easily be included in the project mode and have to be compiled separately. * requires you to specify the dependant projects, even though they can be read from package.json. This means double book-keeping. * only reuses files found in the local directory. This means it cannot be used to speed up compilation in CI by having a shared cache directory containing most of the unchanged modules, precompiled. * does extra work than it was asked to (if dependencies have changed it will recompile them). ctsc will work even after the package is removed from a monorepo into a separate repo (see below). It only makes decisions for a single package, based on all the inputs. Our method works even with external node modules distributed with their own type definitions, as long as those external modules were compiled with `ctsc`. A `.ctsc.hash` will be distributed with them, and will result in a change of the input if the dependency has changed its `.d.ts` files, making the cached output no longer valid. It could be additionally extended so that if a .ctsc.hash is not found, its automatically calculated from .d.ts files, but thats currently not done for performance reasons We've seen a reduction in compile time for our monorepo from 48s for a cold cache down to 4s for a fully hot cache, and 7-10s for typical single-module changes. A lot of changes don't propagate a recompile further than one depth level of dependencies. Cold cache compile times went up around 10%, to 52s. Why should this be built-in with typescript? Because for a given compilation invocation, the typescript compiler knows best which files were consulted as inputs and which were generated as outputs. Its the only code that can reliably keep track of them. ## 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.) * [ ] This feature would agree with the rest of [TypeScript's Design Goals](https://github.com/Microsoft/TypeScript/wiki/TypeScript-Design-Goals). edit: In particular, this non-goal: > Provide an end-to-end build pipeline. Instead, make the system extensible so that external tools can use the compiler for more complex build workflows. can be debated. The question is, how far should TSC go in providing the necessary facilities to implement this? At minimum it seems that a list of the input files consulted and a report of the output files generated is necessary, but just getting the list of input files already involves basic parsing of all input files, which is slow.
Suggestion,In Discussion,Scenario: Monorepos & Cross-Project References
medium
Major
395,335,857
rust
2018: fix lint on unused dependencies
Quoting from https://github.com/rust-lang/rust/issues/53128#issuecomment-450008852 > Previously `warn(unused_extern_crates)` was a way to detect unused dependencies. How can I: > > 1. declare dependencies in the root module > 2. be warned when those dependencies are not used > > As it is now, cargo builds all dependencies and does not warn if they are unused.
A-lints
medium
Critical
395,343,276
rust
ICE in object_safety.rs due to method receiver not having a layout
The following code causes an ICE, ``Error: the type `T` has an unknown layout``: ```rust #![feature(arbitrary_self_types, dispatch_from_dyn)] use std::ops::{Deref, DispatchFromDyn}; trait Trait<T: Deref<Target=Self> + DispatchFromDyn<T>> { fn foo(self: T) -> dyn Trait<T>; } ``` Similar to #56806, `receiver_is_dispatchable` succeeds, and then there is an ICE during the layout sanity checks. In this case, it is because the method receiver is a type parameter and has no layout. `receiver_is_dispatchable` checks that the following predicate holds: ``` forall (U: Trait + ?Sized) { if (Self: Unsize<U>) { Receiver: DispatchFromDyn<Receiver[Self => U]> } } ``` In this case, it reduces to `T: DispatchFromDyn<T>`, which is provided by a where clause. In #56806, it reduced to `Box<dyn Trait>: DispatchFromDyn<Box<dyn Trait>>`. The check passes in both cases, and then there is an ICE during the layout sanity checks. One way to fix both of these cases would be to add an extra requirement to `receiver_is_dispatchable`: that `Receiver` and `Receiver[Self => U]` are not the same type. I'm not sure if there are any edge cases that that doesn't cover. cc @varkor #57229
I-ICE,T-compiler,C-bug,F-arbitrary_self_types,requires-nightly,F-dispatch_from_dyn,glacier,S-bug-has-test
low
Critical
395,343,296
go
runtime: GDB tests fail on freebsd/arm builder
From https://github.com/golang/go/issues/28679#issuecomment-450915013 ... > This is still failing freebsd-arm-paulzhol builds. > Latest failure: https://build.golang.org/log/d9278491818714d74a9190557d6107f737d48612 > > Is it feasible to disable this test, as @bradfitz suggested earlier? Or is there something else that can be tried? Disabling for now. /cc @paulzhol
help wanted,OS-FreeBSD,NeedsFix,compiler/runtime
low
Critical
395,352,243
flutter
Android ShowLayoutBounds does not work with Flutter
https://twitter.com/ibhavikmakwana/status/1038838562836242432 I'm not sure that it should work. :) But we may want to at least document why, or what alternatives to use (e.g. Flutter's own debug options) in the coming-to-flutter-from-android docs. Thoughts?
c: new feature,platform-android,framework,engine,P2,team-android,triaged-android
low
Critical
395,371,169
go
image/jpeg: support for yuvj444p jpeg images
<!-- Please answer these questions before submitting your issue. Thanks! --> ### What version of Go are you using (`go version`)? <pre> go version go1.11.2 darwin/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> GOARCH="amd64" GOBIN="" GOCACHE="/Users/xxx/Library/Caches/go-build" GOEXE="" GOFLAGS="" GOHOSTARCH="amd64" GOHOSTOS="darwin" GOOS="darwin" GOPATH="/Users/xxx/go" GOPROXY="" GORACE="" GOROOT="/usr/local/Cellar/go/1.11.2/libexec" GOTMPDIR="" GOTOOLDIR="/usr/local/Cellar/go/1.11.2/libexec/pkg/tool/darwin_amd64" GCCGO="gccgo" CC="clang" CXX="clang++" CGO_ENABLED="1" GOMOD="" CGO_CFLAGS="-g -O2" CGO_CPPFLAGS="" CGO_CXXFLAGS="-g -O2" CGO_FFLAGS="-g -O2" CGO_LDFLAGS="-g -O2" PKG_CONFIG="pkg-config" GOGCCFLAGS="-fPIC -m64 -pthread -fno-caret-diagnostics -Qunused-arguments -fmessage-length=0 -fdebug-prefix-map=/var/folders/vh/n9x4w_4d19j638bvjrl85tvm0000gn/T/go-build328625839=/tmp/go-build -gno-record-gcc-switches -fno-common" </pre></details> ### What did you do? $ curl -o x.jpg https://stat.ameba.jp/user_images/20130130/12/k15911/4c/c4/p/o0800064012397991799.png $ file x.jpg x.jpg: JPEG image data, JFIF standard 1.01, aspect ratio, density 1x1, segment length 16, progressive, precision 8, 800x640, frames 3 $ ffmpeg -i x.jpg Input #0, image2, from 'x.jpg': Duration: 00:00:00.04, start: 0.000000, bitrate: 36507 kb/s Stream #0:0: Video: mjpeg, yuvj444p(pc, bt470bg/unknown/unknown), 800x640 [SAR 1:1 DAR 5:4], 25 tbr, 25 tbn, 25 tbc image.DecodefConfig() and image.Decode() both throw an error for this file (did import _ image/jpeg). Does the jpeg decoder support this pixel format? Note: the originating website has named the file as .png but it is a jpg file, so ignore that for now. Another url with similar error: https://www.ikea.com/es/es/images/products/malm-estruc-cama-2-caj-blanco__0559854_pe662044_s4.jpg The all open fine in the browser and other tools like ffmpeg and imagemagick. ### What did you expect to see? Expect Go to support these file like other normal image processing tools. ### What did you see instead? error decoding: image: unknown format ![x](https://user-images.githubusercontent.com/1776549/50611223-80c23e00-0e8a-11e9-84c2-b9cbbddd57e0.jpg)
NeedsDecision,FeatureRequest
low
Critical
395,374,748
rust
error E0283 "type annotations required" in where clause
The following code (generated by a macro) does not compile: ``` fn test<'a, 'b>(a: &'a i32, b: &'b i32) where &'a i32: Copy, &'b i32: Copy {} ``` ([playground link](https://play.rust-lang.org/?version=stable&mode=debug&edition=2018&gist=038030d9efb49c8b2ccb6c5555758f2e)) Output: ``` error[E0283]: type annotations required: cannot resolve `&'a i32: std::marker::Copy` --> src/lib.rs:2:1 | 2 | / fn test<'a, 'b>(a: &'a i32, b: &'b i32) 3 | | where &'a i32: Copy, &'b i32: Copy 4 | | {} | |__^ | = note: required by `std::marker::Copy` ``` The error message seems a bit weird to me, as I don't see where type annotations could be added. Note that in this particular case the bounds are trivial, but since the code is generated by a macro I can't get rid of them easily. The error also happens with a type parameter, as in: ``` fn test<'a, 'b, T>(a: &'a T, b: &'b T) where &'a T: Send, &'b T: Send {} ``` ([playground link](https://play.rust-lang.org/?version=stable&mode=debug&edition=2018&gist=9e8ca1b479986a4f9ff81a2a26163d41)) Also, this code (replaced the lifetime of the second bound) compiles without errors: ``` fn test<'a, 'b>(a: &'a i32, b: &'b i32) where &'a i32: Copy, &'a i32: Copy {} ```
A-type-system,A-trait-system,T-compiler,C-bug,T-types
low
Critical
395,389,234
flutter
Material library needs a CustomScrollView compatible RefreshIndicator
Attempting to re-use the existing RefreshIndicator by wrapping a CustomScrollView results in the indicator showing above the app bar and scrolling with the view. We likely need a sliver-based RefreshIndicator. cc @HansMuller
c: new feature,framework,f: material design,f: scrolling,P2,team-design,triaged-design
low
Major
395,390,406
rust
Don't require `extern crate`
Breaking out from #53128 Currently, `extern crate` is still required for sysroot crates, like `test`, `proc_macro`, `core` or `std`. One needs to `extern crate` them ~for use in `no_std` crates~ unless they are implicitly imported (like `std` is without `#![no_std]`, or `core` with it). * proc_macro today is automatically imported by Cargo for proc-macro declared crates * alloc and std need extern for no_std (or std crates) * core is automatically extern'd in for all crates This is the tracking issue for making them not require `extern crate`.
T-lang
medium
Major
395,391,388
flutter
AnnotatedRegion sized logic is not flexible enough
Currently, the `AnnotatedRegionLayer` has a single configuration - a `Size` object which is used to clip hit testing. Passing `sized: false` allows a layer to be hit even if it is outside of the clip. However, there is no way to short circuit hit detection (I mistakenly thought there was), such that a child layer will always win. We should allow configuration of this hit test behavior via an enum similar to regular hit detection. + @gspencergoog are there any requirements here for mouse events as well?
c: new feature,framework,P2,team-framework,triaged-framework
low
Minor