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
2,758,488,256
vscode
Add Separate SOCKS5 Proxy Configuration for GitHub Copilot
<!-- โš ๏ธโš ๏ธ Do Not Delete This! feature_request_template โš ๏ธโš ๏ธ --> <!-- Please read our Rules of Conduct: https://opensource.microsoft.com/codeofconduct/ --> <!-- Please search existing issues to avoid creating duplicates. --> <!-- Describe the feature you'd like. --> As GitHub Copilot becomes increasingly integral to developers' daily workflows, currently, Copilot uses VSCode's global proxy settings, which may not be optimal for all users' needs. Add separate proxy configuration options specifically for GitHub Copilot Allow users to set a different SOCKS5 proxy for Copilot independently of VSCode's global proxy settings
feature-request,proxy
low
Minor
2,758,490,737
PowerToys
Error auto launching after update via Microsoft store.
### Microsoft PowerToys version 0.87.1.0 ### Installation method Microsoft Store ### Running as admin No ### Area(s) with issue? General ### Steps to reproduce restart system, and wait for auto launch, and see thit i.e. error ### โœ”๏ธ Expected Behavior should lauch the powerToys run in background ### โŒ Actual Behavior Version: 0.87.1.0 OS Version: Microsoft Windows NT 10.0.22000.0 IntPtr Length: 8 x64: True Date: 12/25/2024 11:42:03 AM Exception: ``` System.ArgumentException: Value does not fall within the expected range. at PowerLauncher.MainWindow.DwmSetWindowAttribute(IntPtr hwnd, DWMWINDOWATTRIBUTE attribute, DWM_WINDOW_CORNER_PREFERENCE& pvAttribute, UInt32 cbAttribute) at PowerLauncher.MainWindow.OnSourceInitialized(Object sender, EventArgs e) at PowerLauncher.MainWindow.OnSourceInitialized(EventArgs e) at System.Windows.Window.CreateSourceWindow(Boolean duringShow) at System.Windows.Window.ShowHelper(Object booleanBox) at System.Windows.Threading.ExceptionWrapper.InternalRealCall(Delegate callback, Object args, Int32 numArgs) at System.Windows.Threading.ExceptionWrapper.TryCatchWhen(Object source, Delegate callback, Object args, Int32 numArgs, Delegate catchHandler) ``` saw this error LOGS [2024-12-25.txt](https://github.com/user-attachments/files/18243361/2024-12-25.txt) ### Other Software
Issue-Bug,Product-PowerToys Run,Needs-Triage
low
Critical
2,758,493,820
rust
Tracking issue for stabilizing the `#[coverage(..)]` attribute
<!-- NOTE: For library features, please use the "Library Tracking Issue" template instead. Thank you for creating a tracking issue! ๐Ÿ“œ Tracking issues are for tracking a feature from implementation to stabilisation. Make sure to include the relevant RFC for the feature if it has one. Otherwise provide a short summary of the feature and link any relevant PRs or issues, and remove any sections that are not relevant to the feature. Remember to add team labels to the tracking issue. For a language team feature, this would e.g., be `T-lang`. Such a feature should also be labeled with e.g., `F-my_feature`. This label is used to associate issues (e.g., bugs and design questions) to the feature. --> This is a sub-issue of #84605 for tracking the remaining obstacles to stabilization of the coverage attribute. The `#[coverage(off)]` and `#[coverage(on)]` attributes provide hints for whether `-Cinstrument-coverage` should instrument a particular function or not. The feature gate for the issue is `#![feature(coverage_attribute)]`. ### About tracking issues Tracking issues are used to record the overall progress of implementation. They are also used as hubs connecting to other relevant issues, e.g., bugs or open design questions. A tracking issue is however *not* meant for large scale discussion, questions, or bug reports about a feature. Instead, open a dedicated issue for the specific matter and add the relevant feature gate label. Discussion comments will get marked as off-topic or deleted. Repeated discussions on the tracking issue may lead to the tracking issue getting locked. ### Steps <!-- Include each step required to complete the feature. Typically this is a PR implementing a feature, followed by a PR that stabilises the feature. However for larger features an implementation could be broken up into multiple PRs. --> - [ ] Draft and review user-facing documentation (guide-level and reference-level) that describes the feature, and clearly indicates which aspects are stably guaranteed vs subject to change. - [ ] Check that the feature is adequately tested. - [ ] Get clear sign-off from T-lang, including approval of the documented stability boundary. - [ ] Get clear sign-off from the de-facto code owner (Zalathar) and T-compiler. - [ ] Adjust error messages and error-code documentation to reflect the current design. - #134750 - [ ] New stabilization PR ([see instructions on rustc-dev-guide][stabilization-guide]) [stabilization-guide]: https://rustc-dev-guide.rust-lang.org/stabilization_guide.html#stabilization-pr ### Unresolved Questions <!-- Include any open questions that need to be answered before the feature can be stabilised. --> - Which aspects of the attribute are stably guaranteed vs subject to change? ### Implementation history This functionality was originally introduced as an unstable feature, without a formal RFC. After a period of inactivity, there was a user-led push for stabilization, leading to further design and implementation changes. A stabilization PR was briefly merged on nightly due to a process mixup, then reverted. This tracking issue picks up after that revert. <!-- Include a list of all the PRs that were involved in implementing the feature. --> - (add earlier PRs here as desired) - #126721 - #130766 - #134672
C-tracking-issue,A-code-coverage
low
Critical
2,758,514,236
flutter
Add `MouseRegion` Support to `NavigationRailDestination`
### Use case Currently, adding hover effects or interactivity to NavigationRailDestination items requires wrapping the icon and label widgets individually with a MouseRegion. This approach is indirect, repetitive, and can lead to inconsistent behavior. ### Proposal I propose adding direct support for MouseRegion utils to NavigationRailDestination, allowing developers to apply hover effects to the entire destination item, for example: ```dart NavigationRailDestination( icon: Icon(Icons.home), label: Text('Home'), onHover: (event) { }, onEnter: (event) { }, onExit: (event) { }, ), ```
c: new feature,framework,f: material design,c: proposal,a: mouse,P3,team-design,triaged-design
low
Minor
2,758,536,451
pytorch
triton.codegen_upcast_to_fp32 breaks bitcast/bitwise ops
### ๐Ÿ› Describe the bug It seems, that after using a .view(int_dtype) on a float tensor, triton.codegen_upcast_to_fp32 (enabled by default) attempts to recast that bitcast int back to a fp32 float. ablation: inductor short reproducer: ```python import torch @torch.compile(options={"triton.codegen_upcast_to_fp32": False}) def round_down_to_pow2(tensor: torch.Tensor) -> torch.Tensor: dtype = tensor.dtype tensor_int = tensor.view(torch.int16) y = (tensor_int & 0) return y.view(dtype) @torch.compile(options={"triton.codegen_upcast_to_fp32": True}) def round_down_to_pow2_fp32(tensor: torch.Tensor) -> torch.Tensor: dtype = tensor.dtype tensor_int = tensor.view(torch.int16) y = (tensor_int & 0) return y.view(dtype) tensor = torch.tensor(0.5, dtype=torch.bfloat16, device="cuda") round_down_to_pow2(tensor) print("non-upcast: success") #the following fails round_down_to_pow2_fp32(tensor) print("upcast: success") ``` original code: ```python import torch import triton.language as tl def compute_exp_only_mask(total_bits, mantissa_bits): """Compute a single exponent only mask to clear both the sign and mantissa bits.""" mantissa_mask = ~(-1 + (1 << mantissa_bits)) sign_mask = -1 + (1 << (-1 + total_bits)) return mantissa_mask & sign_mask def compute_exponent_shift(total_bits, mantissa_bits): """Compute the bit position of the exponent for floating-point formats.""" return mantissa_bits #use signed int for https://github.com/pytorch/pytorch/issues/58734 DTYPE_MAPPING = { torch.float64: { 'float_dtype': tl.float64, 'int_dtype': tl.uint64, 'int_dtype_native': torch.int64, 'bit_mask': compute_exp_only_mask(64, 52), 'exponent_shift': compute_exponent_shift(64, 52), }, torch.float32: { 'float_dtype': tl.float32, 'int_dtype': tl.uint32, 'int_dtype_native': torch.int32, 'bit_mask': compute_exp_only_mask(32, 23), 'exponent_shift': compute_exponent_shift(32, 23), }, torch.float16: { 'float_dtype': tl.float16, 'int_dtype': tl.uint16, 'int_dtype_native': torch.int16, 'bit_mask': compute_exp_only_mask(16, 10), 'exponent_shift': compute_exponent_shift(16, 10), }, torch.bfloat16: { 'float_dtype': tl.bfloat16, 'int_dtype': tl.uint16, 'int_dtype_native': torch.int16, 'bit_mask': compute_exp_only_mask(16, 7), 'exponent_shift': compute_exponent_shift(16, 7), }, torch.float8_e4m3fn: { 'float_dtype': tl.float8e4nv, 'int_dtype': tl.uint8, 'int_dtype_native': torch.uint8, 'bit_mask': compute_exp_only_mask(8, 3), 'exponent_shift': compute_exponent_shift(8, 3), }, torch.float8_e4m3fnuz: { 'float_dtype': tl.float8e4b8, 'int_dtype': tl.uint8, 'int_dtype_native': torch.uint8, 'bit_mask': compute_exp_only_mask(8, 3), 'exponent_shift': compute_exponent_shift(8, 3), }, torch.float8_e5m2: { 'float_dtype': tl.float8e5, 'int_dtype': tl.uint8, 'int_dtype_native': torch.uint8, 'bit_mask': compute_exp_only_mask(8, 2), 'exponent_shift': compute_exponent_shift(8, 2), }, torch.float8_e5m2fnuz: { 'float_dtype': tl.float8e5b16, 'int_dtype': tl.uint8, 'int_dtype_native': torch.uint8, 'bit_mask': compute_exp_only_mask(8, 2), 'exponent_shift': compute_exponent_shift(8, 2), }, } @torch.compile(options={"triton.codegen_upcast_to_fp32": False}) def round_down_to_pow2(tensor: torch.Tensor) -> torch.Tensor: dtype = tensor.dtype mapping = DTYPE_MAPPING[dtype] int_dtype = mapping['int_dtype_native'] bit_mask = mapping['bit_mask'] tensor_int = tensor.view(int_dtype) y = (tensor_int & bit_mask) return y.view(dtype) @torch.compile(options={"triton.codegen_upcast_to_fp32": False}) def round_down_down_to_pow2(tensor: torch.Tensor) -> torch.Tensor: dtype = tensor.dtype mapping = DTYPE_MAPPING[dtype] int_dtype = mapping['int_dtype_native'] bit_mask = mapping['bit_mask'] exponent_shift = mapping['exponent_shift'] tensor_int = tensor.view(int_dtype) rounded_bits = (tensor_int & bit_mask) exponent = rounded_bits >> exponent_shift # exponent = torch.where(exponent > 0, -1 + exponent, exponent) << exponent_shift exponent = exponent - (exponent > 0).to(dtype=exponent.dtype) y = exponent << exponent_shift return y.view(dtype) @torch.compile(options={"triton.codegen_upcast_to_fp32": True}) def round_down_to_pow2_fp32(tensor: torch.Tensor) -> torch.Tensor: dtype = tensor.dtype mapping = DTYPE_MAPPING[dtype] int_dtype = mapping['int_dtype_native'] bit_mask = mapping['bit_mask'] tensor_int = tensor.view(int_dtype) y = (tensor_int & bit_mask) return y.view(dtype) @torch.compile(options={"triton.codegen_upcast_to_fp32": True}) def round_down_down_to_pow2_fp32(tensor: torch.Tensor) -> torch.Tensor: dtype = tensor.dtype mapping = DTYPE_MAPPING[dtype] int_dtype = mapping['int_dtype_native'] bit_mask = mapping['bit_mask'] exponent_shift = mapping['exponent_shift'] tensor_int = tensor.view(int_dtype) rounded_bits = (tensor_int & bit_mask) exponent = rounded_bits >> exponent_shift # exponent = torch.where(exponent > 0, -1 + exponent, exponent) << exponent_shift exponent = exponent - (exponent > 0).to(dtype=exponent.dtype) y = exponent << exponent_shift return y.view(dtype) tensor = torch.tensor(0.5, dtype=torch.bfloat16, device="cuda") round_down_to_pow2(tensor) round_down_down_to_pow2(tensor) print("non-upcast: success") #the following fails round_down_to_pow2_fp32(tensor) round_down_down_to_pow2_fp32(tensor) print("upcast: success") ``` tlparse: [dedicated_log_torch_trace_ooo_n_47.log](https://github.com/user-attachments/files/18243852/dedicated_log_torch_trace_ooo_n_47.log) ### Error logs ```python torch._dynamo.exc.BackendCompilerFailed: backend='inductor' raised: CompilationError: at 10:11: def triton_poi_fused_bitwise_and_0(in_ptr0, out_ptr1, xnumel, XBLOCK : tl.constexpr): xnumel = 1 xoffset = tl.program_id(0) * XBLOCK xindex = xoffset + tl.arange(0, XBLOCK)[:] xmask = tl.full([XBLOCK], True, tl.int1) tmp0 = tl.load(in_ptr0 + (0)).to(tl.float32) tmp1 = tl.broadcast_to(tmp0, [XBLOCK]) tmp2 = tmp1.to(tl.bfloat16).to(tl.int16, bitcast=True).to(tl.float32) tmp3 = tl.full([1], 32640, tl.int16) tmp4 = tmp2 & tmp3 ^ IncompatibleTypeErrorImpl('invalid operands of type triton.language.float32 and triton.language.float32') ``` ### Versions Collecting environment information... PyTorch version: 2.6.0.dev20241127+cu124 Is debug build: False CUDA used to build PyTorch: 12.4 ROCM used to build PyTorch: N/A OS: Arch Linux (x86_64) GCC version: (GCC) 14.2.1 20240910 Clang version: 18.1.8 CMake version: version 3.30.3 Libc version: glibc-2.40 Python version: 3.11.10 (main, Sep 9 2024, 22:11:19) [Clang 18.1.8 ] (64-bit runtime) Python platform: Linux-6.6.43-273-tkg-bore-x86_64-with-glibc2.40 Is CUDA available: True CUDA runtime version: 12.6.68 CUDA_MODULE_LOADING set to: LAZY GPU models and configuration: GPU 0: NVIDIA RTX 6000 Ada Generation GPU 1: NVIDIA RTX 6000 Ada Generation Nvidia driver version: 560.35.03 cuDNN version: Probably one of the following: /usr/lib/libcudnn.so.9.2.1 /usr/lib/libcudnn_adv.so.9.2.1 /usr/lib/libcudnn_cnn.so.9.2.1 /usr/lib/libcudnn_engines_precompiled.so.9.2.1 /usr/lib/libcudnn_engines_runtime_compiled.so.9.2.1 /usr/lib/libcudnn_graph.so.9.2.1 /usr/lib/libcudnn_heuristic.so.9.2.1 /usr/lib/libcudnn_ops.so.9.2.1 HIP runtime version: N/A MIOpen runtime version: N/A Is XNNPACK available: True CPU: Architecture: x86_64 CPU op-mode(s): 32-bit, 64-bit Address sizes: 46 bits physical, 48 bits virtual Byte Order: Little Endian CPU(s): 24 On-line CPU(s) list: 0-23 Vendor ID: GenuineIntel Model name: 12th Gen Intel(R) Core(TM) i9-12900K CPU family: 6 Model: 151 Thread(s) per core: 2 Core(s) per socket: 16 Socket(s): 1 Stepping: 2 CPU(s) scaling MHz: 24% CPU max MHz: 5300.0000 CPU min MHz: 800.0000 BogoMIPS: 6374.40 Flags: fpu vme de pse tsc msr pae mce cx8 apic sep mtrr pge mca cmov pat pse36 clflush dts acpi mmx fxsr sse sse2 ss ht tm pbe syscall nx pdpe1gb rdtscp lm constant_tsc art arch_perfmon pebs bts rep_good nopl xtopology nonstop_tsc cpuid aperfmperf tsc_known_freq pni pclmulqdq dtes64 monitor ds_cpl vmx smx est tm2 ssse3 sdbg fma cx16 xtpr pdcm pcid sse4_1 sse4_2 x2apic movbe popcnt tsc_deadline_timer aes xsave avx f16c rdrand lahf_lm abm 3dnowprefetch cpuid_fault epb ssbd ibrs ibpb stibp ibrs_enhanced tpr_shadow flexpriority ept vpid ept_ad fsgsbase tsc_adjust bmi1 avx2 smep bmi2 erms invpcid rdseed adx smap clflushopt clwb intel_pt sha_ni xsaveopt xsavec xgetbv1 xsaves split_lock_detect user_shstk avx_vnni dtherm ida arat pln pts hwp hwp_notify hwp_act_window hwp_epp hwp_pkg_req hfi vnmi umip pku ospke waitpkg gfni vaes vpclmulqdq tme rdpid movdiri movdir64b fsrm md_clear serialize pconfig arch_lbr ibt flush_l1d arch_capabilities Virtualization: VT-x L1d cache: 640 KiB (16 instances) L1i cache: 768 KiB (16 instances) L2 cache: 14 MiB (10 instances) L3 cache: 30 MiB (1 instance) NUMA node(s): 1 NUMA node0 CPU(s): 0-23 Vulnerability Gather data sampling: Not affected Vulnerability Itlb multihit: Not affected Vulnerability L1tf: Not affected Vulnerability Mds: Not affected Vulnerability Meltdown: Not affected Vulnerability Mmio stale data: Not affected Vulnerability Reg file data sampling: Mitigation; Clear Register File Vulnerability Retbleed: Not affected Vulnerability Spec rstack overflow: Not affected Vulnerability Spec store bypass: Mitigation; Speculative Store Bypass disabled via prctl Vulnerability Spectre v1: Mitigation; usercopy/swapgs barriers and __user pointer sanitization Vulnerability Spectre v2: Mitigation; Enhanced / Automatic IBRS; IBPB conditional; RSB filling; PBRSB-eIBRS SW sequence; BHI BHI_DIS_S Vulnerability Srbds: Not affected Vulnerability Tsx async abort: Not affected Versions of relevant libraries: [pip3] numpy==2.1.3 [pip3] nvidia-cublas-cu12==12.4.5.8 [pip3] nvidia-cuda-cupti-cu12==12.4.127 [pip3] nvidia-cuda-nvrtc-cu12==12.4.127 [pip3] nvidia-cuda-runtime-cu12==12.4.127 [pip3] nvidia-cudnn-cu12==9.1.0.70 [pip3] nvidia-cufft-cu12==11.2.1.3 [pip3] nvidia-curand-cu12==10.3.5.147 [pip3] nvidia-cusolver-cu12==11.6.1.9 [pip3] nvidia-cusparse-cu12==12.3.1.170 [pip3] nvidia-cusparselt-cu12==0.6.2 [pip3] nvidia-nccl-cu12==2.21.5 [pip3] nvidia-nvjitlink-cu12==12.4.127 [pip3] nvidia-nvtx-cu12==12.4.127 [pip3] pytorch-triton==3.2.0+git35c6c7c6 [pip3] torch==2.6.0.dev20241127+cu124 [pip3] torch-optimi==0.2.1 [pip3] torch-xla==2.5.0 [pip3] torchaudio==2.5.1 [pip3] torchvision==0.20.1 [pip3] triton==3.1.0 [pip3] triton-nightly==3.0.0.post20240716052845 [conda] No relevant packages cc @nairbv @mruberry @chauhang @penguinwu @voznesenskym @EikanWang @jgong5 @Guobing-Chen @XiaobingSuper @zhuhaozhe @blzheng @wenzhe-nrv @jiayisunx @ipiszy @yf225 @chenyang78 @kadeng @muchulee8 @ColinPeppler @amjames @desertfire @aakhundov
triaged,module: type promotion,oncall: pt2,module: inductor
low
Critical
2,758,543,098
godot
Godot 4.3 EXE Freezes on Non-Primary Screen When Using --screen Command
### Tested versions godot 4.3 C# ### System information Win11 godot 4.3 4090 ### Issue description Iโ€™m developing an EXE with Godot 4.3 and encountering an issue. I have three screens, and I want the EXE to launch directly on the third screen. I used the --screen 2 method via the command line, but after launching, the EXE shows a black screen briefly and then freezes. I also tried --screen 0 and --screen 1, and only --screen 0 works correctly. I tested this on other computers, and the issue doesnโ€™t occur. I enabled logging mode, and I noticed the logs stop after a certain point when the program starts. What could be causing this issue? Godot Engine v4.3.stable.mono.official.77dcf97d8 - https://godotengine.org TextServer: Added interface "Dummy" TextServer: Added interface "ICU / HarfBuzz / Graphite (Built-in)" Native OpenGL API detected: 3.3: NVIDIA - NVIDIA GeForce RTX 4090 NVAPI: Init OK! NVAPI: Disabled OpenGL threaded optimization successfully NVAPI: Disabled G-SYNC for windowed mode successfully Using "winink" pen tablet driver... Shader 'CanvasSdfShaderGLES3' SHA256: e0ddef25c1b566c51a1ca570485c46c1cffe94f9df15454228cc6b21246f37c7 Shader 'SkeletonShaderGLES3' SHA256: 1c4150efb77da59925a20f9f587b19fdf5e78fe72cbdc3cc93312c1966c095c5 Shader 'ParticlesShaderGLES3' SHA256: b7f70ed8f7d6ad544f55835602cd1f0566ae891187b6b840e95bb1942fc1b519 Shader 'ParticlesCopyShaderGLES3' SHA256: c52aa5518d931a1df301d051af5fcffbeb74d4b9841df7f2a1061d69cc50bfa4 Shader 'CopyShaderGLES3' SHA256: f6b5be83766c81cc934a79668351b00d9c8afd58fee7c6dabb98ea4017faff85 Shader 'CubemapFilterShaderGLES3' SHA256: 49ecb39146190d3d2b031c58170c55342d4b287164eaccb27390b5f267d0d262 Shader 'GlowShaderGLES3' SHA256: b811d3296b5df16fb73b31331aefe925a9c6b274f4aed85cca70dcfd85c4e808 Shader 'PostShaderGLES3' SHA256: 75370cfb4a5db5eb5842f65733570b31e253505667900eefa7aa2920224e4d29 Shader 'CanvasShaderGLES3' SHA256: b99cc6436a163c5e67ca0c7d9a33c04e302a339a57ad49345a68d3c9d4a62e7f Shader 'CanvasOcclusionShaderGLES3' SHA256: 8e9af0b3f49adb7ead1cf79d5c89fb2f675439bdcedbda488f4b337b4d7c6bd2 Shader 'SceneShaderGLES3' SHA256: 6995ba9bf4bc9b65d4708bdb6c747dcea5bd1f5cd4a7084dbc6a9f49b1972882 Shader 'SkyShaderGLES3' SHA256: cd78594cd3a39a35e084d25d15e29ec710c524392491b45906100f11e5aa3f52 OpenGL API 3.3.0 NVIDIA 560.94 - Compatibility - Using Device: NVIDIA - NVIDIA GeForce RTX 4090 WASAPI: Activated output_device using IAudioClient3 interface WASAPI: wFormatTag = 65534 WASAPI: nChannels = 2 WASAPI: nSamplesPerSec = 48000 WASAPI: nAvgBytesPerSec = 384000 WASAPI: nBlockAlign = 8 WASAPI: wBitsPerSample = 32 WASAPI: cbSize = 22 WASAPI: mix_rate = 48000 WASAPI: fundamental_period_frames = 1 WASAPI: min_period_frames = 336 WASAPI: max_period_frames = 480 WASAPI: selected a period frame size of 480 WASAPI: detected 2 channels WASAPI: audio buffer frames: 480 calculated latency: 10ms if work normal ,it will output next : TextServer: Primary interface set to: "ICU / HarfBuzz / Graphite (Built-in)". .NET: Initializing module... Found hostfxr: D:/Build/UITest/data_Test1_windows_x86_64/hostfxr.dll .NET: hostfxr initialized .NET: GodotPlugins initialized CORE API HASH: 1186918252 EDITOR API HASH: 3138346866 Loaded system CA certificates ### Steps to reproduce See Issue description ### Minimal reproduction project (MRP) See Issue description
bug,platform:windows,topic:porting
low
Minor
2,758,545,257
rust
Tracking issue for release notes of #134751: Enable LSX feature for LoongArch OpenHarmony target
This issue tracks the release notes text for #134751. ### Steps - [x] Proposed text is drafted by PR author (or team) making the noteworthy change. - [ ] Issue is nominated for release team review of clarity for wider audience. - [ ] Release team includes text in release notes/blog posts. ### Release notes text The responsible team for the underlying change should edit this section to replace the automatically generated link with a succinct description of what changed, drawing upon text proposed by the author (either in discussion or through direct editing). ````markdown # Compiler - [Enable LSX feature for `loongarch64_unknown_linux_ohos`.](https://github.com/rust-lang/rust/pull/134751) ```` > [!TIP] > Use the [previous releases](https://doc.rust-lang.org/nightly/releases.html) categories to help choose which one(s) to use. > The category will be de-duplicated with all the other ones by the release team. > > *More than one section can be included if needed.* ### Release blog section If the change is notable enough for inclusion in the blog post, the responsible team should add content to this section. *Otherwise leave it empty.* ````markdown ```` cc @heiher, @jieyouxu -- origin issue/PR authors and assignees for starting to draft text
T-compiler,relnotes,O-loongarch,relnotes-tracking-issue
low
Minor
2,758,558,243
rust
`forbid-output` is inconsisently named versus `error-pattern` and `normalize-stderr-test` and friends
> Actually, I'll revisit `forbid-output` in a follow-up because the naming is strange and inconsistent versus `error-pattern` and `normalize-stderr-test` and whatever... _Originally posted by @jieyouxu in https://github.com/rust-lang/rust/issues/134738#issuecomment-2561663717_
T-compiler,T-bootstrap,C-bug,A-compiletest,E-needs-investigation
low
Critical
2,758,566,779
godot
BBCode effects text kerning in RichTextLabels when it shouldn't
### Tested versions Tested in 4.3-stable ### System information Tested on Windows 10 and Fedora Linux 40 ### Issue description Simply changing this line: ``` [color=gray]Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.[/color] ``` To this line: ``` [color=white]Lorem[/color] [color=gray]ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat. Duis aute irure dolor in reprehenderit in voluptate velit esse cillum dolore eu fugiat nulla pariatur. Excepteur sint occaecat cupidatat non proident, sunt in culpa qui officia deserunt mollit anim id est laborum.[/color] ``` Results in alteration of the kerning for text rendered in a RichTextLabel. ### Steps to reproduce Pretty much what was stated in the description. ### Minimal reproduction project (MRP) An example project reproducing this issue can be found here: https://github.com/SamInTheShell/godot-bbcode-richtextlabel-kerning-bug Press spacebar to toggle the text value.
bug,topic:gui
low
Critical
2,758,579,937
kubernetes
Creation fails when the CRD property is ServiceAccount
### What happened? My CRD property use the ServiceAccount type, When I use `kubelet apply -f <crds>` to create CRDs generated by controller-gen, get an error message: ```text Required value: this property is in x-kubernetes-list-map-keys, so it must have a default or be a required property. ``` This is because ServiceAccount.Secret.Name property is in x-kubernetes-list-map-keys, but it is not have a default and not be a required property. Structure definition: ```go // +genclient // +k8s:deepcopy-gen:interfaces=k8s.io/apimachinery/pkg/runtime.Object // +kubebuilder:... type Foo struct { ServiceAccount corev1.ServiceAccount `json:"serviceAccount,omitempty"` .... } ``` ### What did you expect to happen? I expect to generate CRDs that can be created successfully. Solutions: - Set ObjectReference.Name to required. I think the name is required in most scenarios. - Add default value annotations (`//+default=""` and `//+kubebuilder:default=""`) for ObjectReference.Name. - Modify the ServiceAccount.Secrets type to []SecretReference and set SecretReference.name to required. ### How can we reproduce it (as minimally and precisely as possible)? Refer to "What happened" ### Anything else we need to know? _No response_ ### Kubernetes version <details> v1.30+ </details> ### Cloud provider <details> </details> ### OS version <details> ```console # On Linux: $ cat /etc/os-release # paste output here $ uname -a # paste output here # On Windows: C:\> wmic os get Caption, Version, BuildNumber, OSArchitecture # paste output here ``` </details> ### Install tools <details> </details> ### Container runtime (CRI) and version (if applicable) <details> </details> ### Related plugins (CNI, CSI, ...) and versions (if applicable) <details> </details>
kind/bug,needs-sig,needs-triage
low
Critical
2,758,583,788
langchain
AgentType.STRUCTURED_CHAT_ZERO_SHOT_REACT_DESCRIPTION
### Checked other resources - [X] I added a very descriptive title to this issue. - [X] I searched the LangChain documentation with the integrated search. - [X] I used the GitHub search to find a similar question and didn't find it. - [X] I am sure that this is a bug in LangChain rather than my code. - [X] The bug is not resolved by updating to the latest stable version of LangChain (or the specific integration package). ### Example Code sugesstion: STRUCTURED_CHAT_FORMAT_INSTRUCTIONS(input->uotput). Action: ``` {{{{ "action": "Final Answer", "action_input": "Final response to human." }}}} ---> ``` {{{{ "action": "Final Answer", "action_output": "Final response to human." }}}} ### Error Message and Stack Trace (if applicable) In practice, it is found that llm is easy to interpret "Final Answer" as an input that leads to a bad final result ### Description STRUCTURED_CHAT_FORMAT_INSTRUCTIONS ### System Info STRUCTURED_CHAT_FORMAT_INSTRUCTIONS
๐Ÿค–:bug
low
Critical
2,758,584,891
stable-diffusion-webui
[Feature Request]: ่ฏท้—ฎไธ‹๏ผŒwebuiๆ˜ฏๆ”พๅผƒๆ›ดๆ–ฐไบ†ๅ—๏ผŸๆ„Ÿ่ง‰ๅทฒ็ปๅฅฝไน…ๆฒกๆœ‰ๆ›ดๆ–ฐไบ†๏ผ
### Is there an existing issue for this? - [X] I have searched the existing issues and checked the recent builds/commits ### What would your feature do ? ่ฏท้—ฎไธ‹๏ผŒwebuiๆ˜ฏๆ”พๅผƒๆ›ดๆ–ฐไบ†ๅ—๏ผŸๆ„Ÿ่ง‰ๅทฒ็ปๅฅฝไน…ๆฒกๆœ‰ๆ›ดๆ–ฐไบ†๏ผ ### Proposed workflow ่ฏท้—ฎไธ‹๏ผŒwebuiๆ˜ฏๆ”พๅผƒๆ›ดๆ–ฐไบ†ๅ—๏ผŸๆ„Ÿ่ง‰ๅทฒ็ปๅฅฝไน…ๆฒกๆœ‰ๆ›ดๆ–ฐไบ†๏ผ ### Additional information ่ฏท้—ฎไธ‹๏ผŒwebuiๆ˜ฏๆ”พๅผƒๆ›ดๆ–ฐไบ†ๅ—๏ผŸๆ„Ÿ่ง‰ๅทฒ็ปๅฅฝไน…ๆฒกๆœ‰ๆ›ดๆ–ฐไบ†๏ผ
enhancement
low
Minor
2,758,590,927
transformers
`modular_model_converter` can not handle objects import via try - except
### System Info transformers 4.48.0.dev0 d8c1db2f568d4bcc254bc046036acf0d6bba8373 ### Who can help? @ArthurZucker ### Information - [ ] The official example scripts - [X] My own modified scripts ### Tasks - [ ] An officially supported task in the `examples` folder (such as GLUE/SQuAD, ...) - [X] My own task or dataset (give details below) ### Reproduction # How to reproduce? 1. Clone the Transformers repository and check out the specified commit: `git clone [email protected]:huggingface/transformers.git && cd transformers && git checkout d8c1db2f568d4bcc254bc046036acf0d6bba8373` 2. Create a new folder named `xxx_model` in `src/transformers/models/` 3. Inside this folder, create a new Python file called `modular_xxx.py` with the following content: ``` import torch import torch.nn as nn try: import torch.nn.functional as F except: pass from ..llama.modeling_llama import ( LlamaMLP, ) class Model(nn.Module): def forward(self, x, w): return F.linear(x, w) ``` 4. Run the following command to execute the model converter: `python utils/modular_model_converter.py --files_to_parse src/transformers/models/xxx_model/modular_xxx.py` This will generate the modeling file at: `src/transformers/models/xxx_model/modeling_xxx.py`. ### Expected behavior # Expected vs Actual Contents in src/transformers/models/xxx_model/modeling_xxx.py The **expected** contents in `src/transformers/models/xxx_model/modeling_xxx.py` is : ``` # ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ # This file was automatically generated from src/transformers/models/xxx_model/modular_xxx.py. # Do NOT edit this file manually as any edits will be overwritten by the generation of # the file from the modular. If any change should be done, please apply the change to the # modular_xxx.py file directly. One of our CI enforces this. # ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ import torch.nn as nn try: import torch.nn.functional as F except: pass class Model(nn.Module): def forward(self, x, w): return F.linear(x, w) ``` However, the **actual** content generated in `src/transformers/models/xxx_model/modeling_xxx.py` is : ``` # ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ # This file was automatically generated from src/transformers/models/xxx_model/modular_xxx.py. # Do NOT edit this file manually as any edits will be overwritten by the generation of # the file from the modular. If any change should be done, please apply the change to the # modular_xxx.py file directly. One of our CI enforces this. # ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ๐Ÿšจ import torch.nn as nn class Model(nn.Module): def forward(self, x, w): return F.linear(x, w) ``` # Issue The lines `try: import torch.nn.functional as F except: pass` are missing in the actual content, even though it exists in the original modular file.
bug,Modular
low
Minor
2,758,595,422
vscode
The search box in the edit area does not display correctly
Type: <b>Bug</b> When the search box is already open, the search box in the edit area cannot be displayed correctly after the new file is opened VS Code version: Code 1.96.2 (Universal) (fabdb6a30b49f79a7aba0f2ad9df9b399473380f, 2024-12-19T10:22:47.216Z) OS version: Darwin x64 23.6.0 Modes: <details> <summary>System Info</summary> |Item|Value| |---|---| |CPUs|Intel(R) Core(TM) i7-8750H CPU @ 2.20GHz (12 x 2200)| |GPU Status|2d_canvas: enabled<br>canvas_oop_rasterization: disabled_off<br>direct_rendering_display_compositor: disabled_off_ok<br>gpu_compositing: enabled<br>multiple_raster_threads: enabled_on<br>opengl: enabled_on<br>rasterization: enabled<br>raw_draw: disabled_off_ok<br>skia_graphite: disabled_off<br>video_decode: enabled<br>video_encode: enabled<br>webgl: enabled<br>webgl2: enabled<br>webgpu: enabled<br>webnn: disabled_off| |Load (avg)|5, 5, 6| |Memory (System)|16.00GB (0.11GB free)| |Process Argv|--crash-reporter-id b75f129a-6c3e-4de9-8b38-863d33d9b837| |Screen Reader|no| |VM|0%| </details><details><summary>Extensions (52)</summary> Extension|Author (truncated)|Version ---|---|--- vscode-file-peek|abi|1.0.1 bootstrap5-vscode|Anb|0.4.4 unocss|ant|0.65.2 vite|ant|0.2.5 auto-align|bla|0.0.13 vscode-tailwindcss|bra|0.12.17 vscode-better-align|cho|1.4.2 npm-intellisense|chr|1.4.5 path-intellisense|chr|2.10.0 cssrem|cip|4.1.0 macos-modern-theme|dav|2.3.19 vscode-eslint|dba|3.0.10 parameter-hints|Dom|0.2.7 jquerysnippets|don|0.0.1 vscode-html-css|ecm|2.0.11 EditorConfig|Edi|0.16.4 prettier-vscode|esb|11.0.0 vscode-firefox-debug|fir|2.12.0 copilot|Git|1.254.0 copilot-chat|Git|0.23.2 thymeleaf|juh|1.0.6 vscode-gutter-preview|kis|0.32.2 i18n-ally|lok|2.13.1 vscode-squirrel|mar|0.0.53 vscode-less|mrm|0.6.3 vscode-scss|mrm|0.10.0 vscode-docker|ms-|1.29.3 vscode-language-pack-zh-hans|MS-|1.96.2024121109 vscode-edge-devtools|ms-|2.1.6 debugpy|ms-|2024.14.0 isort|ms-|2023.10.1 python|ms-|2024.22.1 vscode-pylance|ms-|2024.12.1 hexeditor|ms-|1.11.1 live-server|ms-|0.4.15 vscode-js-profile-flame|ms-|1.0.9 peggy-language|Peg|3.0.2 nested-comments|phi|4.1.0 vscode-css-peek|pra|4.4.1 vscode-yaml|red|1.15.0 any-rule|rus|0.3.18 vscode-stylelint|sty|1.4.0 sass-indented|syl|1.8.31 intellicode-api-usage-examples|Vis|0.2.9 vscodeintellicode|Vis|1.3.2 vscodeintellicode-completions|Vis|2.0.1 vscode-spring-initializr|vsc|0.11.2 vscode-icons|vsc|12.10.0 volar|Vue|2.2.0 vscode-import-cost|wix|3.3.0 markdown-all-in-one|yzh|3.6.2 material-theme|zhu|3.17.7 </details><details> <summary>A/B Experiments</summary> ``` vsliv368:30146709 vspor879:30202332 vspor708:30202333 vspor363:30204092 vscod805:30301674 binariesv615:30325510 vsaa593:30376534 py29gd2263:31024239 vscaac:30438847 c4g48928:30535728 azure-dev_surveyone:30548225 2i9eh265:30646982 962ge761:30959799 pythonnoceb:30805159 pythonmypyd1:30879173 h48ei257:31000450 pythontbext0:30879054 cppperfnew:31000557 dsvsc020:30976470 pythonait:31006305 dsvsc021:30996838 dvdeprecation:31068756 dwnewjupytercf:31046870 newcmakeconfigv2:31071590 nativerepl1:31139838 pythonrstrctxt:31112756 nativeloc2:31192216 cf971741:31144450 iacca1:31171482 notype1:31157159 5fd0e150:31155592 dwcopilot:31170013 stablechunks:31184530 6074i472:31201624 ``` </details> ![Image](https://github.com/user-attachments/assets/15657f76-30ff-48ed-8264-92b46762b171) <!-- generated by issue reporter -->
info-needed
low
Critical
2,758,605,243
pytorch
Possible race condition found in TailLogTest.test_tail
### ๐Ÿ› Describe the bug ### Error message ```bash Time: 12/20/2024 10:05:37, Level: 40000, Log: Traceback (most recent call last): File "/opt/py3.10/lib/python3.10/unittest/case.py", line 59, in testPartExecutor yield File "/opt/py3.10/lib/python3.10/unittest/case.py", line 591, in run self._callTestMethod(testMethod) File "/opt/py3.10/lib/python3.10/unittest/case.py", line 549, in _callTestMethod method() File "/torch/src/pytorch/test/distributed/elastic/multiprocessing/tail_log_test.py", line 83, in test_tail self.assertEqual( File "/opt/py3.10/lib/python3.10/unittest/case.py", line 845, in assertEqual assertion_func(first, second, msg=msg) File "/opt/py3.10/lib/python3.10/unittest/case.py", line 1144, in assertDictEqual self.fail(self._formatMessage(msg, standardMsg)) File "/opt/py3.10/lib/python3.10/unittest/case.py", line 675, in fail raise self.failureException(msg) AssertionError: {'[writer0]': {0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 1[156927 chars]999}} != {'[writer1]': {0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 1[156922 chars]999}} Diff is 722560 characters long. Set self.maxDiff to None to see it. ``` ### Possible root cause Some woker threads of `TailLog` might open their log files later than when they receive the stop signal? It's difficult to reproduce, and I have only encountered it once. ### Versions main cc @H-Huang @awgu @kwen2501 @wanchaol @fegin @fduwjj @wz337 @wconstab @d4l3k @c-p-i-o @mruberry @ZainRizvi @dzhulgakov
oncall: distributed,module: tests,module: elastic
low
Critical
2,758,614,269
langchain
unable to use milvus for cosine similarity
### Checked other resources - [X] I added a very descriptive title to this issue. - [X] I searched the LangChain documentation with the integrated search. - [X] I used the GitHub search to find a similar question and didn't find it. - [X] I am sure that this is a bug in LangChain rather than my code. - [X] The bug is not resolved by updating to the latest stable version of LangChain (or the specific integration package). ### Example Code The following code: URI = "./milvus_example.db" index_params = { 'metric_type': 'COSINE', 'index_type': "FLAT", # 'params': {"nlist": 128} } search_params = { "metric_type": "COSINE", # "params": {"nprobe": 12}, } vector_store = Milvus( embedding_function=embeddings, connection_args={"uri": URI}, auto_id=True, index_params=index_params, search_params=search_params ) all_splits = text_splitter.split_documents(documents) ids = vector_store.add_documents(documents=all_splits) results = vector_store.similarity_search_with_score(prompt,param=search_params) ### Error Message and Stack Trace (if applicable) RPC error: [search], <MilvusException: (code=1100, message=fail to search: metric type not match: invalid [expected=L2][actual=COSINE]: invalid parameter)>, <Time:{'RPC start': '2024-12-25 16:15:58.358832', 'RPC error': '2024-12-25 16:15:58.359751'}> 0%| | 0/1174 [00:01<?, ?it/s] Traceback (most recent call last): File "/home/wupeiyang/work/RTL-Repo/src/generate_data_for_rag_test_dynamic_langchain.py", line 405, in <module> main() File "/home/wupeiyang/work/RTL-Repo/src/generate_data_for_rag_test_dynamic_langchain.py", line 306, in main results = vector_store.similarity_search_with_score(prompt,param=search_params) File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/langchain_milvus/vectorstores/milvus.py", line 1182, in similarity_search_with_score res = self.similarity_search_with_score_by_vector( File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/langchain_milvus/vectorstores/milvus.py", line 1221, in similarity_search_with_score_by_vector col_search_res = self._collection_search( File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/langchain_milvus/vectorstores/milvus.py", line 1047, in _collection_search res = self.col.search( File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/pymilvus/orm/collection.py", line 801, in search resp = conn.search( File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/pymilvus/decorators.py", line 141, in handler raise e from e File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/pymilvus/decorators.py", line 137, in handler return func(*args, **kwargs) File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/pymilvus/decorators.py", line 176, in handler return func(self, *args, **kwargs) File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/pymilvus/decorators.py", line 116, in handler raise e from e File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/pymilvus/decorators.py", line 86, in handler return func(*args, **kwargs) File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/pymilvus/client/grpc_handler.py", line 805, in search return self._execute_search(request, timeout, round_decimal=round_decimal, **kwargs) File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/pymilvus/client/grpc_handler.py", line 746, in _execute_search raise e from e File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/pymilvus/client/grpc_handler.py", line 735, in _execute_search check_status(response.status) File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/pymilvus/client/utils.py", line 63, in check_status raise MilvusException(status.code, status.reason, status.error_code) pymilvus.exceptions.MilvusException: <MilvusException: (code=1100, message=fail to search: metric type not match: invalid [expected=L2][actual=COSINE]: invalid parameter)> [2024-12-25 16:16:03,525] torch.distributed.elastic.multiprocessing.api: [ERROR] failed (exitcode: 1) local_rank: 0 (pid: 29719) of binary: /home-g2/wupeiyang/anaconda3/envs/llama3/bin/python Traceback (most recent call last): File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/runpy.py", line 197, in _run_module_as_main return _run_code(code, main_globals, None, File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/runpy.py", line 87, in _run_code exec(code, run_globals) File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/torch/distributed/launch.py", line 196, in <module> main() File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/torch/distributed/launch.py", line 192, in main launch(args) File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/torch/distributed/launch.py", line 177, in launch run(args) File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/torch/distributed/run.py", line 797, in run elastic_launch( File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/torch/distributed/launcher/api.py", line 134, in __call__ return launch_agent(self._config, self._entrypoint, list(args)) File "/home-g2/wupeiyang/anaconda3/envs/llama3/lib/python3.9/site-packages/torch/distributed/launcher/api.py", line 264, in launch_agent raise ChildFailedError( torch.distributed.elastic.multiprocessing.errors.ChildFailedError: ============================================================ /home/wupeiyang/work/RTL-Repo/src/generate_data_for_rag_test_dynamic_langchain.py FAILED ------------------------------------------------------------ Failures: <NO_OTHER_FAILURES> ------------------------------------------------------------ Root Cause (first observed failure): [0]: time : 2024-12-25_16:16:03 host : localhost rank : 0 (local_rank: 0) exitcode : 1 (pid: 29719) error_file: <N/A> traceback : To enable traceback see: https://pytorch.org/docs/stable/elastic/errors.html ============================================================ ### Description I'm trying to use langchain_milvus to search by cosine similarity which is supported according to Milvus Doc ### System Info System Information ------------------ > OS: Linux > OS Version: #224-Ubuntu SMP Thu Dec 5 13:38:28 UTC 2024 > Python Version: 3.9.18 (main, Sep 11 2023, 13:41:44) [GCC 11.2.0] Package Information ------------------- > langchain_core: 0.3.21 > langchain: 0.3.9 > langchain_community: 0.3.9 > langsmith: 0.1.147 > langchain_huggingface: 0.1.2 > langchain_milvus: 0.1.7 > langchain_ollama: 0.2.1 > langchain_text_splitters: 0.3.2 Optional packages not installed ------------------------------- > langserve Other Dependencies ------------------ > aiohttp: 3.9.1 > async-timeout: 4.0.3 > dataclasses-json: 0.6.7 > httpx: 0.27.0 > httpx-sse: 0.4.0 > huggingface-hub: 0.23.3 > jsonpatch: 1.33 > langsmith-pyo3: Installed. No version info available. > numpy: 1.26.3 > ollama: 0.4.2 > orjson: 3.10.12 > packaging: 23.2 > pydantic: 2.10.2 > pydantic-settings: 2.6.1 > pymilvus: 2.5.0 > PyYAML: 6.0.1 > requests: 2.31.0 > requests-toolbelt: 1.0.0 > sentence-transformers: 3.3.1 > SQLAlchemy: 2.0.36 > tenacity: 9.0.0 > tokenizers: 0.19.1 > transformers: 4.41.2 > typing-extensions: 4.12.2
โฑญ: vector store,investigate
low
Critical
2,758,620,089
flutter
[flutter_svg] svg photo not showing on my real device.
### Steps to reproduce SVG photos are not showing on my real device that uses android 10 after I upgraded my flutter sdk from 3.22 to 3.27. It seems to show up just fine in emulators, even on android 7. It also worked fine on android 13 on a real device. I use flutter_svg package. ### Expected results It should look fine on all devices. ### Actual results It doesn't show on real devices on Android 10 or shows up but wrong and wobbly. ### Code sample <details open><summary>Code sample</summary> ```dart SvgPicture.asset( 'someAsset', height: width * 0.45, colorFilter: ColorFilter.mode( Theme.of(context).primaryColor, BlendMode.srcIn, ), semanticsLabel: 'some label', ), ``` </details> ### Logs <details open><summary>Logs</summary> ```console [Paste your logs here] ``` </details> ### Flutter Doctor output <details open><summary>Doctor output</summary> ```console [โˆš] Flutter (Channel stable, 3.27.0, on Microsoft Windows [Version 10.0.26100.2605], locale en-US) โ€ข Flutter version 3.27.0 on channel stable at C:\Users\N111\dev\flutter โ€ข Upstream repository https://github.com/flutter/flutter.git โ€ข Framework revision 8495dee1fd (2 weeks ago), 2024-12-10 14:23:39 -0800 โ€ข Engine revision 83bacfc525 โ€ข Dart version 3.6.0 โ€ข DevTools version 2.40.2 [โˆš] Windows Version (Installed version of Windows is version 10 or higher) [โˆš] Android toolchain - develop for Android devices (Android SDK version 35.0.0) โ€ข Android SDK at C:\Users\N111\AppData\Local\Android\sdk โ€ข Platform android-35, build-tools 35.0.0 โ€ข Java binary at: C:\Program Files\Java\jdk-17\bin\java โ€ข Java version Java(TM) SE Runtime Environment (build 17.0.11+7-LTS-207) โ€ข All Android licenses accepted. [โˆš] Chrome - develop for the web โ€ข Chrome at C:\Program Files\Google\Chrome\Application\chrome.exe [X] Visual Studio - develop Windows apps X Visual Studio not installed; this is necessary to develop Windows apps. Download at https://visualstudio.microsoft.com/downloads/. Please install the "Desktop development with C++" workload, including all of its default components [โˆš] Android Studio (version 2024.2) โ€ข Android Studio at C:\Program Files\Android\Android Studio โ€ข Flutter plugin can be installed from: https://plugins.jetbrains.com/plugin/9212-flutter โ€ข Dart plugin can be installed from: https://plugins.jetbrains.com/plugin/6351-dart โ€ข Java version OpenJDK Runtime Environment (build 21.0.3+-12282718-b509.11) [โˆš] VS Code (version 1.96.2) โ€ข VS Code at C:\Users\N111\AppData\Local\Programs\Microsoft VS Code โ€ข Flutter extension version 3.102.0 [โˆš] Connected device (4 available) โ€ข Android SDK built for x86 (mobile) โ€ข emulator-5554 โ€ข android-x86 โ€ข Android 7.0 (API 24) (emulator) โ€ข Windows (desktop) โ€ข windows โ€ข windows-x64 โ€ข Microsoft Windows [Version 10.0.26100.2605] โ€ข Chrome (web) โ€ข chrome โ€ข web-javascript โ€ข Google Chrome 131.0.6778.205 โ€ข Edge (web) โ€ข edge โ€ข web-javascript โ€ข Microsoft Edge 131.0.2903.112 [โˆš] Network resources โ€ข All expected network resources are available. ``` </details>
waiting for customer response,in triage
low
Major
2,758,638,048
react
Bug: StrictMode remount element that only update
<!-- Please provide a clear and concise description of what the bug is. Include screenshots if needed. Please test using the latest version of the relevant React packages to make sure your issue has not already been fixed. --> React version: 19.0.0 ## Steps To Reproduce 1. use StrictMode 2. render a list in any way 3. change the order of the list <!-- Your bug will get fixed much faster if we can run your code and it doesn't have dependencies other than React. Issues without reproduction steps or code examples may be immediately closed as not actionable. --> Link to code example: [codesandbox](https://codesandbox.io/p/sandbox/4pxf28) <!-- Please provide a CodeSandbox (https://codesandbox.io/s/new), a link to a repository on GitHub, or provide a minimal code example that reproduces the problem. You may provide a screenshot of the application if you think it is relevant to your bug report. Here are some tips for providing a minimal example: https://stackoverflow.com/help/mcve. --> ## The current behavior When change the order of the list, the list item unmounted and then mounted, except for the first element. ## The expected behavior It should not remount during the update phase. I test the same code on react 18, which has no problem.
Status: Unconfirmed
low
Critical
2,758,643,409
pytorch
[inductor][cpu] AMP/FP32 single thread performance regression in 2024-12-23 nightly release
### ๐Ÿ› Describe the bug <p>AMP static shape default wrapper</p><table border="1" class="dataframe table"> <thead> <tr style="text-align: right;"> <th>suite</th> <th>name</th> <th>thread</th> <th>batch_size_new</th> <th>speed_up_new</th> <th>inductor_new</th> <th>eager_new</th> <th>compilation_latency_new</th> <th>batch_size_old</th> <th>speed_up_old</th> <th>inductor_old</th> <th>eager_old</th> <th>compilation_latency_old</th> <th>Ratio Speedup(New/old)</th> <th>Eager Ratio(old/new)</th> <th>Inductor Ratio(old/new)</th> <th>Compilation_latency_Ratio(old/new)</th> </tr> </thead> <tbody> <tr> <td>torchbench</td> <td>pyhpc_isoneutral_mixing</td> <td>single</td> <td>1</td> <td>23.99195</td> <td>0.0001438</td> <td>0.00345004241</td> <td>46.329881</td> <td>1</td> <td>28.984441</td> <td>0.00012082</td> <td>0.00350190016162</td> <td>45.62457</td> <td>0.83</td> <td>1.02</td> <td>0.84</td> <td>0.98</td> </tr> <tr> <td>torchbench</td> <td>lennard_jones</td> <td>single</td> <td>1</td> <td>3.080003</td> <td>8.8519e-05</td> <td>0.000272638785557</td> <td>38.040263</td> <td>1</td> <td>3.433204</td> <td>7.742e-05</td> <td>0.00026579865367999997</td> <td>38.885432</td> <td>0.9</td> <td>0.97</td> <td>0.87</td> <td>1.02</td> </tr> </tbody> </table> <p>AMP dynamic shape cpp wrapper</p><table border="1" class="dataframe table"> <thead> <tr style="text-align: right;"> <th>suite</th> <th>name</th> <th>thread</th> <th>batch_size_new</th> <th>speed_up_new</th> <th>inductor_new</th> <th>eager_new</th> <th>compilation_latency_new</th> <th>batch_size_old</th> <th>speed_up_old</th> <th>inductor_old</th> <th>eager_old</th> <th>compilation_latency_old</th> <th>Ratio Speedup(New/old)</th> <th>Eager Ratio(old/new)</th> <th>Inductor Ratio(old/new)</th> <th>Compilation_latency_Ratio(old/new)</th> </tr> </thead> <tbody> <tr> <td>torchbench</td> <td>pyhpc_isoneutral_mixing</td> <td>single</td> <td>1</td> <td>30.10916</td> <td>5.8161999999999996e-05</td> <td>0.0017512089639199998</td> <td>12.582083</td> <td>1</td> <td>38.434939</td> <td>4.9305e-05</td> <td>0.001895034667395</td> <td>12.577097</td> <td>0.78</td> <td>1.08</td> <td>0.85</td> <td>1.0</td> </tr> </tbody> </table> <p>AMP static shape cpp wrapper</p><table border="1" class="dataframe table"> <thead> <tr style="text-align: right;"> <th>suite</th> <th>name</th> <th>thread</th> <th>batch_size_new</th> <th>speed_up_new</th> <th>inductor_new</th> <th>eager_new</th> <th>compilation_latency_new</th> <th>batch_size_old</th> <th>speed_up_old</th> <th>inductor_old</th> <th>eager_old</th> <th>compilation_latency_old</th> <th>Ratio Speedup(New/old)</th> <th>Eager Ratio(old/new)</th> <th>Inductor Ratio(old/new)</th> <th>Compilation_latency_Ratio(old/new)</th> </tr> </thead> <tbody> <tr> <td>torchbench</td> <td>pyhpc_isoneutral_mixing</td> <td>single</td> <td>1</td> <td>29.729494</td> <td>5.8566e-05</td> <td>0.001741137545604</td> <td>12.629471</td> <td>1</td> <td>34.628374</td> <td>5.1991000000000004e-05</td> <td>0.0018003637926340002</td> <td>12.62295</td> <td>0.86</td> <td>1.03</td> <td>0.89</td> <td>1.0</td> </tr> </tbody> </table> <p>AMP dynamic shape default wrapper</p><table border="1" class="dataframe table"> <thead> <tr style="text-align: right;"> <th>suite</th> <th>name</th> <th>thread</th> <th>batch_size_new</th> <th>speed_up_new</th> <th>inductor_new</th> <th>eager_new</th> <th>compilation_latency_new</th> <th>batch_size_old</th> <th>speed_up_old</th> <th>inductor_old</th> <th>eager_old</th> <th>compilation_latency_old</th> <th>Ratio Speedup(New/old)</th> <th>Eager Ratio(old/new)</th> <th>Inductor Ratio(old/new)</th> <th>Compilation_latency_Ratio(old/new)</th> </tr> </thead> <tbody> <tr> <td>torchbench</td> <td>pyhpc_isoneutral_mixing</td> <td>single</td> <td>1</td> <td>29.646898</td> <td>0.000106697</td> <td>0.003163235075906</td> <td>30.752565</td> <td>1</td> <td>37.355747</td> <td>8.9253e-05</td> <td>0.003334112486991</td> <td>30.668563</td> <td>0.79</td> <td>1.05</td> <td>0.84</td> <td>1.0</td> </tr> </tbody> </table> <p>FP32 static shape CPP wrapper</p><table border="1" class="dataframe table"> <thead> <tr style="text-align: right;"> <th>suite</th> <th>name</th> <th>thread</th> <th>batch_size_new</th> <th>speed_up_new</th> <th>inductor_new</th> <th>eager_new</th> <th>compilation_latency_new</th> <th>batch_size_old</th> <th>speed_up_old</th> <th>inductor_old</th> <th>eager_old</th> <th>compilation_latency_old</th> <th>Ratio Speedup(New/old)</th> <th>Eager Ratio(old/new)</th> <th>Inductor Ratio(old/new)</th> <th>Compilation_latency_Ratio(old/new)</th> </tr> </thead> <tbody> <tr> <td>torchbench</td> <td>lennard_jones</td> <td>single</td> <td>1</td> <td>1.379054</td> <td>5.8948e-05</td> <td>8.1292475192e-05</td> <td>7.819986</td> <td>1</td> <td>1.597033</td> <td>5.0586e-05</td> <td>8.0787511338e-05</td> <td>7.780064</td> <td>0.86</td> <td>0.99</td> <td>0.86</td> <td>0.99</td> </tr> <tr> <td>torchbench</td> <td>pyhpc_equation_of_state</td> <td>single</td> <td>1</td> <td>19.078431</td> <td>6.2443e-05</td> <td>0.0011913144669329998</td> <td>11.053214</td> <td>1</td> <td>22.690209</td> <td>5.2470000000000004e-05</td> <td>0.0011905552662300001</td> <td>10.964946</td> <td>0.84</td> <td>1.0</td> <td>0.84</td> <td>0.99</td> </tr> <tr> <td>torchbench</td> <td>pyhpc_isoneutral_mixing</td> <td>single</td> <td>1</td> <td>40.936272</td> <td>7.7847e-05</td> <td>0.0031867659663840004</td> <td>13.349267</td> <td>1</td> <td>47.610703</td> <td>6.633e-05</td> <td>0.00315801792999</td> <td>13.237678</td> <td>0.86</td> <td>0.99</td> <td>0.85</td> <td>0.99</td> </tr> </tbody> </table> the last good commit: c04f0bb7b9537758e1e5c956ebcb20e153ef9544 ``` /workspace/pytorch# bash inductor_single_run.sh single inference performance torchbench pyhpc_isoneutral_mixing amp Testing with inductor. single-thread testing.... loading model: 0it [00:00, ?it/s] cpu eval pyhpc_isoneutral_mixing running benchmark: 100%|โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆ| 50/50 [00:00<00:00, 484.21it/s] 35.332x WARNING:common:Trying to call the empty_gpu_cache for device: cpu, which is not in list [cuda, xpu] dev,name,batch_size,speedup,abs_latency,compilation_latency,compression_ratio,eager_peak_mem,dynamo_peak_mem,calls_captured,unique_graphs,graph_breaks,unique_graph_breaks,autograd_captures,autograd_compiles,cudagraph_skips cpu,pyhpc_isoneutral_mixing,1,35.332336,0.049990,11.903519,0.795666,40.422605,50.803507,746,1,0,0,0,0,1 ``` the bad commit: 18261e9f39580989b5902b6b70f6a8371372c5c8 ``` /workspace/pytorch# bash inductor_single_run.sh single inference performance torchbench pyhpc_isoneutral_mixing amp Testing with inductor. single-thread testing.... loading model: 0it [00:00, ?it/s] cpu eval pyhpc_isoneutral_mixing running benchmark: 100%|โ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆโ–ˆ| 50/50 [00:00<00:00, 492.06it/s] 30.152x WARNING:common:Trying to call the empty_gpu_cache for device: cpu, which is not in list [cuda, xpu] dev,name,batch_size,speedup,abs_latency,compilation_latency,compression_ratio,eager_peak_mem,dynamo_peak_mem,calls_captured,unique_graphs,graph_breaks,unique_graph_breaks,autograd_captures,autograd_compiles,cudagraph_skips cpu,pyhpc_isoneutral_mixing,1,30.152358,0.057168,7.816028,0.808176,40.422605,50.017075,746,1,0,0,0,0,1 ``` ### Versions </table><p>SW info</p><table border="1" class="dataframe table"> <thead> <tr style="text-align: right;"> <th>name</th> <th>target_branch</th> <th>target_commit</th> <th>refer_branch</th> <th>refer_commit</th> </tr> </thead> <tbody> <tr> <td>torchbench</td> <td>main</td> <td>766a5e3a</td> <td>main</td> <td>766a5e3a</td> </tr> <tr> <td>torch</td> <td>main</td> <td>f1cbf4b1b5a299f999c11e77bfabe39c7f04efdc</td> <td>main</td> <td>dd2d360b7d5dcc66660fdfe8da083a7077dada56</td> </tr> <tr> <td>torchvision</td> <td>main</td> <td>0.19.0a0+d23a6e1</td> <td>main</td> <td>0.19.0a0+d23a6e1</td> </tr> <tr> <td>torchtext</td> <td>main</td> <td>0.16.0a0+b0ebddc</td> <td>main</td> <td>0.16.0a0+b0ebddc</td> </tr> <tr> <td>torchaudio</td> <td>main</td> <td>2.6.0a0+b6d4675</td> <td>main</td> <td>2.5.0a0+265bc5c</td> </tr> <tr> <td>torchdata</td> <td>main</td> <td>0.7.1a0+0790338</td> <td>main</td> <td>0.7.1a0+0790338</td> </tr> <tr> <td>dynamo_benchmarks</td> <td>main</td> <td>nightly</td> <td>main</td> <td>nightly</td> </tr> </tbody> </table> </table> Repro: [inductor_single_run.sh](https://github.com/chuanqi129/inductor-tools/blob//main/scripts/modelbench/inductor_single_run.sh) bash inductor_single_run.sh single inference performance torchbench pyhpc_isoneutral_mixing amp Suspected guilty commit: https://github.com/pytorch/pytorch/commit/18261e9f39580989b5902b6b70f6a8371372c5c8 [torchbench-pyhpc_isoneutral_mixing-inference-amp-static-default-single-performance-drop_guilty_commit.log](https://github.com/user-attachments/files/18244801/torchbench-pyhpc_isoneutral_mixing-inference-amp-static-default-single-performance-drop_guilty_commit.log) cc @chauhang @penguinwu @voznesenskym @EikanWang @jgong5 @Guobing-Chen @XiaobingSuper @zhuhaozhe @blzheng @wenzhe-nrv @jiayisunx @chenyang78 @kadeng @amjames @chuanqi129
needs reproduction,triaged,oncall: pt2,module: dynamo
low
Critical
2,758,647,779
ant-design
[tabs] clicking the folded item button will result in an error
### Reproduction link [https://ant.design/~demos/tabs-demo-slide](https://ant.design/~demos/tabs-demo-slide) ### Steps to reproduce click collapse item button ![image](https://github.com/user-attachments/assets/4a6ca0ce-9dd6-4aac-a0f9-eaec3cf5d682) ### What is expected? null ### What is actually happening? `Blocked aria-hidden on an element because its descendant retained focus. The focus must not be hidden from assistive technology users. Avoid using aria-hidden on a focused element or its ancestor. Consider using the inert attribute instead, which will also prevent focus. For more details, see the aria-hidden section of the WAI-ARIA specification at https://w3c.github.io/aria/#aria-hidden. Element with focus: button Ancestor with aria-hidden: <button type=โ€‹"button" class=โ€‹"ant-tabs-nav-more ant-tabs-dropdown-open" tabindex=โ€‹"-1" aria-hidden=โ€‹"true" aria-haspopup=โ€‹"listbox" aria-controls=โ€‹"rc-tabs-1-more-popup" id=โ€‹"rc-tabs-1-more" aria-expanded=โ€‹"true" style>โ€‹โ€ฆโ€‹</button>โ€‹` ![image](https://github.com/user-attachments/assets/7bc5ec12-0130-4c9b-b80f-92693b041626) | Environment | Info | | --- | --- | | antd | 5.22.6 | | React | ^18.3.0 | | System | win11 | | Browser | ็‰ˆๆœฌ 131.0.6778.205๏ผˆๆญฃๅผ็‰ˆๆœฌ๏ผ‰ ๏ผˆ64 ไฝ๏ผ‰ | <!-- generated by ant-design-issue-helper. DO NOT REMOVE -->
improvement,โŒจ๏ธ Accessibility
low
Critical
2,758,650,005
flutter
Linux_pixel_7pro platform_views_scroll_perf_impeller__timeline_summary is 2.20% flaky
<!-- meta-tags: To be used by the automation script only, DO NOT MODIFY. { "name": "Linux_pixel_7pro platform_views_scroll_perf_impeller__timeline_summary" } --> The post-submit test builder `Linux_pixel_7pro platform_views_scroll_perf_impeller__timeline_summary` had a flaky ratio 2.20% for the past (up to) 100 commits, which is above our 2.00% threshold. One recent flaky example for a same commit: https://ci.chromium.org/ui/p/flutter/builders/prod/Linux_pixel_7pro%20platform_views_scroll_perf_impeller__timeline_summary/5593 Commit: https://github.com/flutter/flutter/commit/8ad15cd81e4cd2ad86524a8afa7021ea51c09169 Flaky builds: https://ci.chromium.org/ui/p/flutter/builders/prod/Linux_pixel_7pro%20platform_views_scroll_perf_impeller__timeline_summary/5593 https://ci.chromium.org/ui/p/flutter/builders/prod/Linux_pixel_7pro%20platform_views_scroll_perf_impeller__timeline_summary/5549 Recent test runs: https://flutter-dashboard.appspot.com/#/build?taskFilter=Linux_pixel_7pro%20platform_views_scroll_perf_impeller__timeline_summary Please follow https://github.com/flutter/flutter/blob/master/docs/infra/Reducing-Test-Flakiness.md#fixing-flaky-tests to fix the flakiness and enable the test back after validating the fix (internal dashboard to validate: go/flutter_test_flakiness).
P2,c: flake,team-engine,triaged-engine
low
Major
2,758,650,069
flutter
Windows framework_tests_widgets is 2.17% flaky
<!-- meta-tags: To be used by the automation script only, DO NOT MODIFY. { "name": "Windows framework_tests_widgets" } --> The post-submit test builder `Windows framework_tests_widgets` had a flaky ratio 2.17% for the past (up to) 100 commits, which is above our 2.00% threshold. One recent flaky example for a same commit: https://ci.chromium.org/ui/p/flutter/builders/prod/Windows%20framework_tests_widgets/20011 Commit: https://github.com/flutter/flutter/commit/5c7d9d01bae7b279b7d95a37577f782c51847d5b Flaky builds: https://ci.chromium.org/ui/p/flutter/builders/prod/Windows%20framework_tests_widgets/20011 https://ci.chromium.org/ui/p/flutter/builders/prod/Windows%20framework_tests_widgets/19923 Recent test runs: https://flutter-dashboard.appspot.com/#/build?taskFilter=Windows%20framework_tests_widgets Please follow https://github.com/flutter/flutter/blob/master/docs/infra/Reducing-Test-Flakiness.md#fixing-flaky-tests to fix the flakiness and enable the test back after validating the fix (internal dashboard to validate: go/flutter_test_flakiness).
P1,c: flake,team-framework,triaged-framework
medium
Minor
2,758,680,290
TypeScript
Cannot export both types and values from CJS
### ๐Ÿ”Ž Search Terms verbatimModuleSyntax, commonjs, require, export, export type, ### ๐Ÿ•— Version & Regression Information - This is the behavior in every version I tried, and I reviewed the FAQ for entries about [CJS export syntax](https://www.typescriptlang.org/docs/handbook/modules/reference.html#export--and-import--require) and [verbatimModuleSyntax release notes](https://www.typescriptlang.org/docs/handbook/release-notes/typescript-5-0.html#--verbatimmodulesyntax). ### โฏ Playground Link https://www.typescriptlang.org/play/?moduleResolution=99&target=99&module=199&verbatimModuleSyntax=true&ts=5.8.0-dev.20241225#code/KYDwDg9gTgLgBDAnmYcBiEJwLxwM4xQCWAdgOZwA+cJArgLYBGwUA3AFDsDGANgIZ48cAEJ8ocAN4BfTqEiwcIsayA ### ๐Ÿ’ป Code I wanted to convert a *.ts file that gets interpreted as CJS (due to package.json "type" field) to use `verbatimModuleSyntax` for explicitness. The file previously looked like this ```ts // index.ts export type Foo = string | number; export const Bar = 42; ``` and could be imported like so ```ts // foo.ts import { type Foo, Bar } from './index'; const x: Foo = 42; const y = Bar; ``` After enabling `verbatimModuleSyntax`, it seems no longer possible to export both `Foo` and `Bar` from index.ts. Some attempts: ```ts type Foo = string | number; const Bar = 42; export = { Foo, Bar }; // error; Foo is a type but used as a value ``` This is ok, ```ts export type Foo = string | number; const Bar = 42; ``` but this is not ```ts export type Foo = string | number; const Bar = 42; export = { Bar }; // An export assignment cannot be used in a module with other exported elements. (TS2309) ``` nor this ```ts type Foo = string | number; const Bar = 42; export type { Foo }; export = { Bar }; // An export assignment cannot be used in a module with other exported elements. (TS2309) ``` *** tsconfig: ```json { "compilerOptions": { "verbatimModuleSyntax": true, "target": "ESNext", "module": "NodeNext", "strict": true, } } ``` package.json: has `"type": "commonjs"` ### ๐Ÿ™ Actual behavior Can't find a way to export both types and values using CJS import/export syntax required by verbatimModuleSyntax ### ๐Ÿ™‚ Expected behavior There is a way to export both types and values using CJS import/export syntax ### Additional information about the issue Perhaps this is possible, and if so I'd ask it be added to the documentation. Without this, a currently-functioning CJS module cannot straightforwardly be converted to use verbatimModuleSyntax. FWIW, if it's not possible, I don't see why at least one of the following wouldn't be allowed (specifically due to the use of `export type` to ensure only one _value_ export exists) ```ts export type Foo = string | number; const Bar = 42; export = { Bar }; // not a problem; only one value export ``` or ```ts type Foo = string | number; const Bar = 42; export type { Foo }; export = { Bar }; ```
Suggestion,In Discussion
low
Critical
2,758,717,385
pytorch
[DCP]Distributed checkpoint `set_optimizer_state_dict` cause optimizer step error when optimizer contains empty param group
### ๐Ÿ› Describe the bug DCP `set_optimizer_state_dict` introduce wrong param group and cause `optim.step` raise error when original state dict contains param group that doesn't have any parameters. * Error Message ``` [rank1]: Traceback (most recent call last): [rank1]: File "/path/to/pytorch_bug/dcp_bug.py", line 45, in <module> [rank1]: optim_new.step() [rank1]: File "/opt/miniconda/envs/torchtitan/lib/python3.11/site-packages/torch/optim/optimizer.py", line 493, in wrapper [rank1]: out = func(*args, **kwargs) [rank1]: ^^^^^^^^^^^^^^^^^^^^^ [rank1]: File "/opt/miniconda/envs/torchtitan/lib/python3.11/site-packages/torch/optim/optimizer.py", line 91, in _use_grad [rank1]: ret = func(self, *args, **kwargs) [rank1]: ^^^^^^^^^^^^^^^^^^^^^^^^^^^ [rank1]: File "/opt/miniconda/envs/torchtitan/lib/python3.11/site-packages/torch/optim/adamw.py", line 230, in step [rank1]: beta1, beta2 = cast(Tuple[float, float], group["betas"]) [rank1]: ~~~~~^^^^^^^^^ [rank1]: KeyError: 'betas' ``` * Code `torchrun --nnodes=1 --nproc-per-node=4 --standalone /path/to/pytorch_bug/dcp_bug.py` ```Python import torch import torch.distributed.checkpoint as dcp from torch.distributed.checkpoint.state_dict import get_optimizer_state_dict, set_optimizer_state_dict from torch.distributed.device_mesh import init_device_mesh from torch.distributed.tensor.parallel import ( parallelize_module, ColwiseParallel, ) from torch.distributed.tensor import Shard, DTensor, Replicate import os _world_size = int(os.environ["WORLD_SIZE"]) device_mesh = init_device_mesh(device_type="cuda", mesh_shape=(_world_size,)) class TestMod(torch.nn.Module): def __init__(self): super().__init__() self.fc = torch.nn.Linear(64, 64) def forward(self, x): return self.fc(x) mod = TestMod().cuda() parallelize_module(mod, device_mesh, { "fc": ColwiseParallel(use_local_output=False) }) optim = torch.optim.AdamW([ {"params": mod.parameters()}, {"params": [], "lr": 0.2}, # empty pg group here ], lr=0.1) optim_new = torch.optim.AdamW([ {"params": mod.parameters()}, {"params": [], "lr": 0.2}, # empty pg group here ], lr=0.1) # init optimizer state sample_inp = torch.randn(2, 128, 64).cuda() sample_target = torch.randn(2, 128, 64).cuda() loss_cls = torch.nn.MSELoss() optim.zero_grad() output = mod(sample_inp).redistribute(device_mesh, [Replicate()]).to_local() loss = loss_cls(output, sample_target) loss.backward() optim.step() # bug optim_state_dict = get_optimizer_state_dict(mod, optim) set_optimizer_state_dict(mod, optim_new, optim_state_dict) optim_new.step() ``` ### Versions ``` PyTorch version: 2.6.0.dev20241222+cu124 Is debug build: False CUDA used to build PyTorch: 12.4 ROCM used to build PyTorch: N/A OS: Ubuntu 22.04.3 LTS (x86_64) GCC version: (Ubuntu 11.4.0-1ubuntu1~22.04) 11.4.0 Clang version: Could not collect CMake version: Could not collect Libc version: glibc-2.35 Python version: 3.11.10 (main, Oct 3 2024, 07:29:13) [GCC 11.2.0] (64-bit runtime) Python platform: Linux-5.4.210-4-velinux1-amd64-x86_64-with-glibc2.35 Is CUDA available: True CUDA runtime version: Could not collect Nvidia driver version: 535.86.10 cuDNN version: Could not collect HIP runtime version: N/A MIOpen runtime version: N/A Is XNNPACK available: True Versions of relevant libraries: [pip3] numpy==2.1.3 [pip3] nvidia-cublas-cu12==12.4.5.8 [pip3] nvidia-cuda-cupti-cu12==12.4.127 [pip3] nvidia-cuda-nvrtc-cu12==12.4.127 [pip3] nvidia-cuda-runtime-cu12==12.4.127 [pip3] nvidia-cudnn-cu12==9.1.0.70 [pip3] nvidia-cufft-cu12==11.2.1.3 [pip3] nvidia-curand-cu12==10.3.5.147 [pip3] nvidia-cusolver-cu12==11.6.1.9 [pip3] nvidia-cusparse-cu12==12.3.1.170 [pip3] nvidia-cusparselt-cu12==0.6.2 [pip3] nvidia-nccl-cu12==2.21.5 [pip3] nvidia-nvjitlink-cu12==12.4.127 [pip3] nvidia-nvtx-cu12==12.4.127 [pip3] pytorch-triton==3.2.0+git0d4682f0 [pip3] torch==2.6.0.dev20241222+cu124 [pip3] torchaudio==2.6.0.dev20241222+cu124 [pip3] torchdata==0.9.0 [pip3] torchpippy==0.2.0+1bcb2bf [pip3] torchtitan==0.0.2 [pip3] torchvision==0.22.0.dev20241222+cu124 [pip3] triton==3.1.0 [conda] blas 1.0 mkl [conda] cuda-cudart 12.1.105 0 nvidia [conda] cuda-cupti 12.1.105 0 nvidia [conda] cuda-libraries 12.1.0 0 nvidia [conda] cuda-nvrtc 12.1.105 0 nvidia [conda] cuda-nvtx 12.1.105 0 nvidia [conda] cuda-opencl 12.4.127 0 nvidia [conda] cuda-runtime 12.1.0 0 nvidia [conda] libcublas 12.1.0.26 0 nvidia [conda] libcufft 11.0.2.4 0 nvidia [conda] libcurand 10.3.5.147 0 nvidia [conda] libcusolver 11.4.4.55 0 nvidia [conda] libcusparse 12.0.2.55 0 nvidia [conda] libnvjitlink 12.1.105 0 nvidia [conda] mkl 2023.1.0 h213fc3f_46344 [conda] mkl-service 2.4.0 py311h5eee18b_1 [conda] mkl_fft 1.3.11 py311h5eee18b_0 [conda] mkl_random 1.2.8 py311ha02d727_0 [conda] numpy 2.1.3 py311h08b1b3b_0 [conda] numpy-base 2.1.3 py311hf175353_0 [conda] nvidia-cublas-cu12 12.4.5.8 pypi_0 pypi [conda] nvidia-cuda-cupti-cu12 12.4.127 pypi_0 pypi [conda] nvidia-cuda-nvrtc-cu12 12.4.127 pypi_0 pypi [conda] nvidia-cuda-runtime-cu12 12.4.127 pypi_0 pypi [conda] nvidia-cudnn-cu12 9.1.0.70 pypi_0 pypi [conda] nvidia-cufft-cu12 11.2.1.3 pypi_0 pypi [conda] nvidia-curand-cu12 10.3.5.147 pypi_0 pypi [conda] nvidia-cusolver-cu12 11.6.1.9 pypi_0 pypi [conda] nvidia-cusparse-cu12 12.3.1.170 pypi_0 pypi [conda] nvidia-cusparselt-cu12 0.6.2 pypi_0 pypi [conda] nvidia-nccl-cu12 2.21.5 pypi_0 pypi [conda] nvidia-nvjitlink-cu12 12.4.127 pypi_0 pypi [conda] nvidia-nvtx-cu12 12.4.127 pypi_0 pypi [conda] pytorch-cuda 12.1 ha16c6d3_6 pytorch [conda] pytorch-triton 3.2.0+git0d4682f0 pypi_0 pypi [conda] torch 2.6.0.dev20241222+cu124 pypi_0 pypi [conda] torchaudio 2.6.0.dev20241222+cu124 pypi_0 pypi [conda] torchdata 0.9.0 pypi_0 pypi [conda] torchpippy 0.2.0+1bcb2bf pypi_0 pypi [conda] torchtitan 0.0.2 pypi_0 pypi [conda] torchvision 0.22.0.dev20241222+cu124 pypi_0 pypi [conda] triton 3.1.0 pypi_0 pypi ``` cc @H-Huang @awgu @kwen2501 @wanchaol @fegin @fduwjj @wz337 @wconstab @d4l3k @c-p-i-o @vincentqb @jbschlosser @albanD @janeyx99 @crcrpar @LucasLLC @pradeepfn
oncall: distributed,module: optimizer,triaged
low
Critical
2,758,730,973
node
port.postMessage with another closed port results in an abort
### Version v22.11.0 ### Platform ```text Linux u24vm 6.8.0-50-generic #51-Ubuntu SMP PREEMPT_DYNAMIC Sat Nov 9 17:58:29 UTC 2024 x86_64 x86_64 x86_64 GNU/Linux ``` ### Subsystem worker_threads ### What steps will reproduce the bug? Setup a node instance, ``` ยป node ``` and run the following javascript code. ``` worker_threads = require('worker_threads'); msg1 = new worker_threads.MessageChannel(); msg1.port1.close(); msg2 = new worker_threads.MessageChannel(); msg2.port1.postMessage(msg1.port1); ``` Then the node instance occurs an abort. ### How often does it reproduce? Is there a required condition? This abort can always be triggered following the steps above. ### What is the expected behavior? Why is that the expected behavior? If any error occurs, an exception or other similar error-reporting stuff should be thrown and then caught and handled correctly. There is no reason to abort the whole node process. ### What do you see instead? ``` ยป node Welcome to Node.js v22.11.0. Type ".help" for more information. > > worker_threads = require('worker_threads'); { isMainThread: true, MessagePort: [Function: MessagePort], MessageChannel: [Function: MessageChannel], markAsUncloneable: [Function: markAsUncloneable], markAsUntransferable: [Function: markAsUntransferable], isMarkedAsUntransferable: [Function: isMarkedAsUntransferable], moveMessagePortToContext: [Function: moveMessagePortToContext], receiveMessageOnPort: [Function: receiveMessageOnPort], resourceLimits: {}, postMessageToThread: [AsyncFunction: postMessageToThread], threadId: 0, SHARE_ENV: Symbol(nodejs.worker_threads.SHARE_ENV), Worker: [class Worker extends EventEmitter], parentPort: null, workerData: null, BroadcastChannel: [class BroadcastChannel extends EventTarget], setEnvironmentData: [Function: setEnvironmentData], getEnvironmentData: [Function: getEnvironmentData] } > msg1 = new worker_threads.MessageChannel(); MessageChannel { port1: MessagePort [EventTarget] { active: true, refed: false, [Symbol(kEvents)]: SafeMap(2) [Map] { 'newListener' => [Object], 'removeListener' => [Object] }, [Symbol(events.maxEventTargetListeners)]: 10, [Symbol(events.maxEventTargetListenersWarned)]: false, [Symbol(kHandlers)]: SafeMap(0) [Map] {}, [Symbol(kNewListener)]: [Function (anonymous)], [Symbol(kRemoveListener)]: [Function (anonymous)], [Symbol(nodejs.internal.kCurrentlyReceivingPorts)]: undefined }, port2: MessagePort [EventTarget] { active: true, refed: false, [Symbol(kEvents)]: SafeMap(2) [Map] { 'newListener' => [Object], 'removeListener' => [Object] }, [Symbol(events.maxEventTargetListeners)]: 10, [Symbol(events.maxEventTargetListenersWarned)]: false, [Symbol(kHandlers)]: SafeMap(0) [Map] {}, [Symbol(kNewListener)]: [Function (anonymous)], [Symbol(kRemoveListener)]: [Function (anonymous)], [Symbol(nodejs.internal.kCurrentlyReceivingPorts)]: undefined } } > msg1.port1.close(); undefined > msg2 = new worker_threads.MessageChannel(); MessageChannel { port1: MessagePort [EventTarget] { active: true, refed: false, [Symbol(kEvents)]: SafeMap(2) [Map] { 'newListener' => [Object], 'removeListener' => [Object] }, [Symbol(events.maxEventTargetListeners)]: 10, [Symbol(events.maxEventTargetListenersWarned)]: false, [Symbol(kHandlers)]: SafeMap(0) [Map] {}, [Symbol(kNewListener)]: [Function (anonymous)], [Symbol(kRemoveListener)]: [Function (anonymous)], [Symbol(nodejs.internal.kCurrentlyReceivingPorts)]: undefined }, port2: MessagePort [EventTarget] { active: true, refed: false, [Symbol(kEvents)]: SafeMap(2) [Map] { 'newListener' => [Object], 'removeListener' => [Object] }, [Symbol(events.maxEventTargetListeners)]: 10, [Symbol(events.maxEventTargetListenersWarned)]: false, [Symbol(kHandlers)]: SafeMap(0) [Map] {}, [Symbol(kNewListener)]: [Function (anonymous)], [Symbol(kRemoveListener)]: [Function (anonymous)], [Symbol(nodejs.internal.kCurrentlyReceivingPorts)]: undefined } } > msg2.port1.postMessage(msg1.port1); [1] 1295254 segmentation fault (core dumped) node ``` ### Additional information _No response_
worker
low
Critical
2,758,734,554
rust
Compile Error on AVR atmega328p with global_asm! in lib.rs
This is my first issue, so I'm not sure if this is the right place to report or if it is reported already. Also formatting this issue is new to me ... I'm on Rust with AVR atmega328p, using ``` nightly-2024-11-12-aarch64-unknown-linux-gnu (default) rustc 1.84.0-nightly (81eef2d36 2024-11-11) ``` I use "global_asm!" macro which compiles Ok in a bin main.rs and gives a compile error in a lib lib.rs. The error is ``` error: <inline asm>:2:5: instruction requires a CPU feature not currently enabled x: jmp x ^ ``` The source in both, main.rs and lib.rs is ```rust // global_asm!(r#" x: jmp x "#); ``` To test, I have two crates, one to test as --bin with main.rs, one to test as --lib with lib.rs Both crates have .cargo/config.toml ```toml [build] target = "avr-atmega328p.json" [target.avr-atmega328p] rustflags = [ # "-Clink-arg=-nostartfiles", ] [unstable] build-std = ["core"] ``` Both have Config.toml ```toml [package] name = "..." edition = "2021" [dependencies] [profile.release] panic = "abort" lto = true ``` The main.rs in the bin test crate : ```rust //! #![no_std] #![no_main] // #![allow(unused_imports)] // #![feature(asm_experimental_arch)] use core::arch::{ asm, global_asm }; // global_asm!(r#" x: jmp x "#); /// use core::panic::PanicInfo; #[panic_handler] fn panic(_panic: &PanicInfo<'_>) -> ! { loop { } } ``` ... compiles and links fine ! The lib.rs in the lib test crate : ```rust //! #![no_std] // #![allow(unused_imports)] // #![feature(asm_experimental_arch)] use core::arch::{ asm, global_asm }; // global_asm!(r#" x: jmp x "#); ``` ... and gives compile error ``` error: <inline asm>:2:5: instruction requires a CPU feature not currently enabled jmp x ^ ``` Command for both crates is cargo build --release ``` ./home/rust/rust-repos/rustc/rust/src/llvm-project/llvm/lib/Object/ModuleSymbolTable.cpp ``` I've tracked it down to llvm : ``` llvm-project/llvm/lib/Object/ModuleSymbolTable.cpp ``` ```cpp static void initializeRecordStreamer(...) { ... std::unique_ptr<MCSubtargetInfo> STI( T->createMCSubtargetInfo(TT.str(), "", "")); ... } ``` The ("","") forces the feature map to go to the lowest for AVR and does not honor, that "atmega328p" features should be used. Ich I patch it to ```cpp std::unique_ptr<MCSubtargetInfo> STI( T->createMCSubtargetInfo(TT.str(), "atmega328p", "")); ``` it compiles fine :) But this is not a Solution So here I stuck ... br xjn
A-LLVM,A-inline-assembly,T-compiler,C-bug,E-needs-mcve,O-AVR,A-target-feature,C-external-bug
low
Critical
2,758,738,317
PowerToys
Always on Top: Mouse cursor becomes "loading" when hovering over the border of a pinned window
### Microsoft PowerToys version 0.87.1 ### Installation method Microsoft Store ### Running as admin Yes ### Area(s) with issue? Always on Top ### Steps to reproduce 1. Open PowerToys and enable the "Always on Top" feature. 2. In the settings, check the option "Show a border around pinned windows." 3. Pin a window using the shortcut (default: Win + Ctrl + T). 4. Move your mouse over the border of the pinned window. ### โœ”๏ธ Expected Behavior The mouse cursor should remain unchanged when hovering over the border of the pinned window. ### โŒ Actual Behavior The mouse cursor changes to the "loading" (spinning circle) icon when hovering over the border of the pinned window. ### Other Software N/A
Issue-Bug,Needs-Triage
low
Minor
2,758,740,672
ant-design
List ็งปๅŠจ่ฎพๅค‡ๅœจๅˆ—่กจๅŒบๅŸŸๅŒๆŒ‡ๆป‘ๅŠจๅŽ๏ผŒๆป‘ๅŠจๆ•ˆๆžœ็›ดๆŽฅๅคฑๆ•ˆไบ†
### Reproduction link [https://ant.design/~demos/list-demo-virtual-list](https://ant.design/~demos/list-demo-virtual-list) ### Steps to reproduce ๅœจ็งปๅŠจ่ฎพๅค‡ไธญ๏ผŒไฝฟ็”จๅŒๆŒ‡ๅœจๅˆ—่กจๅŒบๅŸŸๆป‘ๅŠจ ### What is expected? ๅŒๆŒ‡ๆป‘ๅŠจไน‹ๅŽ๏ผŒๅˆ—่กจๅŒบๅŸŸไป็„ถๅฏไปฅๆญฃๅธธๆป‘ๅŠจ ### What is actually happening? ๅŒๆŒ‡ๆป‘ๅŠจไน‹ๅŽ๏ผŒๅˆ—่กจๅŒบๅŸŸๆ— ๆณ•ๆป‘ๅŠจ | Environment | Info | | --- | --- | | antd | 5.22.6 | | React | 18.2.0 | | System | MacOS | | Browser | ็‰ˆๆœฌ 131.0.6778.205๏ผˆๆญฃๅผ็‰ˆๆœฌ๏ผ‰ ๏ผˆ64 ไฝ๏ผ‰ | <!-- generated by ant-design-issue-helper. DO NOT REMOVE -->
๐Ÿ“ฑMobile Device
low
Minor
2,758,742,221
flutter
Nested Navigator and focusing problem (not a GoRouter)
### Steps to reproduce 1. Launch flutter debugging app for Linux/AVD Android TV (flutter run). 2. If top widget says "Up (nested Navigator)" try to use arrow keys (Up/Down) to focus something. ### Expected results Top, top nested containers and bottom widgets can receive focus using Arrow keys. ### Actual results Top receives focus and holds it due to which it is impossible to focus on the bottom. ### Code sample <details open><summary>Code sample</summary> ```dart import 'package:flutter/material.dart'; void main() { runApp(const App()); } class App extends StatelessWidget { const App({super.key}); @override Widget build(BuildContext context) { bool seeProblem = true; return MaterialApp( theme: ThemeData.from(colorScheme: ColorScheme.dark()), home: StatefulBuilder( builder: (context, setState) { return Scaffold( body: Column( crossAxisAlignment: CrossAxisAlignment.start, children: [ Expanded( child: TheProblem(seeProblem: seeProblem), ), Row( children: [ Text('Toggle to problem view: '), Switch(value: seeProblem, onChanged: (a) { setState(() { seeProblem = a; }); }), ], ), Padding( padding: EdgeInsets.all(20.0), child: Text( 'Use switch to toggle between problematic and good views.\n' 'When on "Up (in Navigator)" try to use Arrow navigation.\n' 'When on "Up (no nested Navigator)" try to use Arrow navigation.\n' 'While second one produces right focusing using Arrows and Tabs,\n' 'the first example has problem with using Arrows\n' ), ) ], ), ); }, ), ); } } class TheProblem extends StatelessWidget { const TheProblem({ super.key, required this.seeProblem, }); final bool seeProblem; @override Widget build(BuildContext context) { if (seeProblem) { return Scaffold( body: Navigator( onGenerateRoute: (settings) { return MaterialPageRoute( builder: (context) { return Center( child: Column( crossAxisAlignment: CrossAxisAlignment.center, mainAxisAlignment: MainAxisAlignment.center, children: [ FocusableContainer(name: "Up (in Navigator)"), Row( crossAxisAlignment: CrossAxisAlignment.center, mainAxisAlignment: MainAxisAlignment.center, children: [ FocusableContainer(name: "1"), FocusableContainer(name: "2"), FocusableContainer(name: "3"), ], ) ], ) ); } ); }, ), bottomNavigationBar: ConstrainedBox( constraints: BoxConstraints( maxHeight: 100 ), child: FocusableContainer(name: "Down"), ), ); } return Scaffold( body: SizedBox.expand( child: FocusableContainer(name: "Up (no nested Navigator)"), ), bottomNavigationBar: ConstrainedBox( constraints: BoxConstraints( maxHeight: 100 ), child: FocusableContainer(name: "Down"), ), ); } } class FocusableContainer extends StatefulWidget { const FocusableContainer({ super.key, required this.name, }); final String name; @override State<FocusableContainer> createState() => _FocusableContainerState(); } class _FocusableContainerState extends State<FocusableContainer> { bool focused = false; @override Widget build(BuildContext context) { return Focus( onFocusChange: (focused) { setState(() { this.focused = focused; }); }, child: Container( decoration: BoxDecoration( border: Border.all( color: focused ? Colors.green : Colors.transparent, ) ), padding: EdgeInsets.all(20.0), child: Center( child: Text(widget.name), ), ), ); } } ``` </details> ### Screenshots or Video <details open> <summary>Screenshots / Video demonstration of focusing using Arrows, then Tab keys</summary> [Screencast from 2024-12-25 14-10-38.webm](https://github.com/user-attachments/assets/35ddbd74-7515-4dc0-94a0-9fa074ffaca3) </details> ### Logs _No response_ ### Flutter Doctor output <details open><summary>Doctor output</summary> ```console [โœ“] Flutter (Channel stable, 3.27.0, on Ubuntu 24.04.1 LTS 6.8.0-51-generic, locale en_US.UTF-8) โ€ข Flutter version 3.27.0 on channel stable at /home/i8s/development/flutter โ€ข Upstream repository https://github.com/flutter/flutter.git โ€ข Framework revision 8495dee1fd (2 weeks ago), 2024-12-10 14:23:39 -0800 โ€ข Engine revision 83bacfc525 โ€ข Dart version 3.6.0 โ€ข DevTools version 2.40.2 [โœ“] Android toolchain - develop for Android devices (Android SDK version 35.0.0) โ€ข Android SDK at /home/i8s/Android/Sdk โ€ข Platform android-35, build-tools 35.0.0 โ€ข Java binary at: /mnt/Apps/development/jdk-20/bin/java โ€ข Java version OpenJDK Runtime Environment (build 20+36-2344) โ€ข All Android licenses accepted. [โœ—] Chrome - develop for the web (Cannot find Chrome executable at google-chrome) ! Cannot find Chrome. Try setting CHROME_EXECUTABLE to a Chrome executable. [โœ“] Linux toolchain - develop for Linux desktop โ€ข Ubuntu clang version 18.1.3 (1ubuntu1) โ€ข cmake version 3.28.3 โ€ข ninja version 1.11.1 โ€ข pkg-config version 1.8.1 [โœ“] Android Studio (version 2024.2) โ€ข Android Studio at /home/i8s/development/android-studio โ€ข Flutter plugin version 83.0.3 โ€ข Dart plugin can be installed from: ๐Ÿ”จ https://plugins.jetbrains.com/plugin/6351-dart โ€ข Java version OpenJDK Runtime Environment (build 21.0.3+-12282718-b509.11) [โœ“] VS Code (version 1.96.2) โ€ข VS Code at /snap/code/current/usr/share/code โ€ข Flutter extension can be installed from: ๐Ÿ”จ https://marketplace.visualstudio.com/items?itemName=Dart-Code.flutter [โœ“] Connected device (1 available) โ€ข Linux (desktop) โ€ข linux โ€ข linux-x64 โ€ข Ubuntu 24.04.1 LTS 6.8.0-51-generic [โœ“] Network resources โ€ข All expected network resources are available. ``` </details>
framework,f: routes,f: focus,has reproducible steps,P2,team-framework,triaged-framework,found in release: 3.27,found in release: 3.28
low
Critical
2,758,753,872
PowerToys
Modules get disabled
### Microsoft PowerToys version 0.87.1 ### Installation method PowerToys auto-update ### Running as admin Yes ### Area(s) with issue? TextExtractor, FancyZones ### Steps to reproduce Often, but not always, some modules go back to disabled after reboots. For example, I use text extractor and fancy zones often so they're typically toggled enabled. They don't stay that way. I often find them in the lower disabled section after most reboots (of Windows). ### โœ”๏ธ Expected Behavior If a module is enabled, should it not stay enabled until it's manually disabled? ### โŒ Actual Behavior _No response_ ### Other Software _No response_
Issue-Bug,Needs-Triage
low
Minor
2,758,781,540
pytorch
After pth is converted into ptl, the prediction result is very different from pth
### ๐Ÿ› Describe the bug # ๅŠ ่ฝฝๅŽŸๅง‹้…็ฝฎๅ’Œๆจกๅž‹ checkpoint = torch.load(checkpoint_path, map_location='cuda') args = checkpoint['args'] args.num_classes = 250 # ๆž„ๅปบๆจกๅž‹ model, _, _ = build_model(args) model.load_state_dict(checkpoint['model']) model.eval() wrapped_model = DETRWrapper(model) original_model = wrapped_model # ไฟๅญ˜ๅŽŸๅง‹ๆจกๅž‹็š„ๅผ•็”จ # ๅ‡†ๅค‡็คบไพ‹่พ“ๅ…ฅ example_input = torch.randn(1, 3, 448, 448) # ๆต‹่ฏ•ๅ‰ๅ‘ไผ ๆ’ญ with torch.no_grad(): try: semantic_map = wrapped_model(example_input) print("Model test forward pass successful") print(f"Output shape: semantic_map {semantic_map.shape}") except Exception as e: print(f"Error during test forward pass: {e}") return try: # ไฝฟ็”จTorchScript่ทŸ่ธชๆจกๅž‹ traced_model = torch.jit.trace(wrapped_model, example_input) # ็กฎไฟๆจกๅž‹ๅœจCPUไธŠ traced_model = traced_model.cpu() # ๆทปๅŠ ่ฏฆ็ป†็š„้ชŒ่ฏๆญฅ้ชค def validate_outputs(pth_model, ptl_model, test_input): with torch.no_grad(): pth_output = pth_model(test_input) ptl_output = ptl_model(test_input) # ็กฎไฟ่พ“ๅ‡บ็ฑปๅž‹ไธ€่‡ด if pth_output.dtype != ptl_output.dtype: print(f"Warning: Output dtype mismatch - PTH: {pth_output.dtype}, PTL: {ptl_output.dtype}") # ๆฏ”่พƒ้ข„ๆต‹็ป“ๆžœ match_percentage = (pth_output == ptl_output).float().mean() * 100 print(f"Prediction match percentage: {match_percentage:.2f}%") # ๆฃ€ๆŸฅ็ฑปๅˆซๅˆ†ๅธƒ pth_classes = torch.unique(pth_output, sorted=True) ptl_classes = torch.unique(ptl_output, sorted=True) print(f"PTH unique classes: {pth_classes}") print(f"PTL unique classes: {ptl_classes}") return match_percentage > 95 # ่ฆๆฑ‚95%ไปฅไธŠ็š„้ข„ๆต‹ๅŒน้… # ๅœจไฟๅญ˜ๆจกๅž‹ๅ‰่ฟ›่กŒ้ชŒ่ฏ if not validate_outputs(wrapped_model, traced_model, example_input): print("Warning: Model conversion validation failed!") return # ไฟๅญ˜ๆจกๅž‹ traced_model.save(output_path) ### Versions 2.1.0+cu118 cc @EikanWang @jgong5 @wenzhe-nrv @sanchitintel
oncall: jit
low
Critical
2,758,798,312
PowerToys
[Settings-QuickAccent] "Choose a character set" even though you can choose more than one.
### Microsoft PowerToys version 0.87.1 ### Installation method Dev build in Visual Studio ### Running as admin None ### Area(s) with issue? Settings ### Steps to reproduce Quick Accent settings ![Image](https://github.com/user-attachments/assets/ce623827-4186-4757-bc63-928a8eeb596b) Choose a character set (singular), even though you can now select more than one. It should be something like "Choose character sets". ### โœ”๏ธ Expected Behavior _No response_ ### โŒ Actual Behavior _No response_ ### Other Software _No response_
Issue-Bug,Product-Settings,Resolution-Fix Committed,Area-User Interface
low
Minor
2,758,805,454
storybook
[Bug]: cannot set string that contains dot through the URL
### Describe the bug Hello. I'm writing playwright tests according to this guide https://storybook.js.org/docs/writing-tests/import-stories-in-tests/stories-in-end-to-end-tests#with-playwright And my story args should be like this `&args=client_date_format%3Add.MM.yyyy` But I get the message `Omitted potentially unsafe URL args.` Could you please allow dots in string arguments or add an option to disable this validation, because an XSS attack on the static server without a backend can't do something harmful, but the lack of tests can. ### Reproduction link https://5f27fec87f827f00226fd51a-mkzlawwyms.chromatic.com/?path=/story/components-badge--base&args=children:Test.Test&globals=colorScheme:dark ### Reproduction steps Expected behavior: 1. Text in the badge is `Test.Test` 2. Value of the `children` control is `Test.Test` Actual behavior: 1. Text is default (`Badge`) 2. Value is default (`Badge`) 3. Warning in console ``` Omitted potentially unsafe URL args. More info: https://storybook.js.org/docs/react/writing-stories/args#setting-args-through-the-url ``` ### System ```bash Storybook Environment Info: System: OS: Linux 6.8 Ubuntu 22.04.5 LTS 22.04.5 LTS (Jammy Jellyfish) CPU: (8) x64 Intel(R) Core(TM) i7-6700 CPU @ 3.40GHz Shell: 5.1.16 - /bin/bash Binaries: Node: 20.18.0 - /usr/local/bin/node Yarn: 4.5.3 - /usr/local/bin/yarn <----- active npm: 10.8.2 - /usr/local/bin/npm ``` ### Additional context _No response_
bug,needs triage
low
Critical
2,758,807,838
ollama
Option to show all models available from registry/library
Currently, `ollama list` shows all the installed models. It would be very useful to be able to show all the available models from the registry/[model library](https://github.com/ollama/ollama?tab=readme-ov-file#model-library), which allow us to make model management app to install a model with GUI with one click.
feature request
low
Minor
2,758,813,138
kubernetes
When scaling down pod replicas in ReplicaSets, it is supported to prioritize removing specified pods.
### What would you like to be added? When scaling down pod replicas in ReplicaSets, it is supported to prioritize removing specified pods. ### Why is this needed? In actual production scenarios, we often encounter situations where users deploy applications using ReplicaSets and expect to prioritize the removal of specific pods during scaling down. I believe this is a reasonable requirement, as it provides convenience for users when working with ReplicaSets.
kind/feature,sig/apps,needs-triage
low
Minor
2,758,834,535
neovim
crash on self-attach via nvim_ui_attach RPC
### Problem After **nvim_ui_attach()** call via RPC Neovim crashes on *unpacker_advance* function (./src/nvim/msgpack_rpc/unpacker.c), after **abort()** call. This only happens when I'm calling **nvim_ui_attach()** from Lua code, when I'm using Python and pynvim everything works fine. I mentioned this problem in [this](https://github.com/neovim/neovim/discussions/31682) discussion among other problems I faced. Stack trace: ```shell Message: Process 30221 (nvim) of user 1000 dumped core. Stack trace of thread 30221: #0 0x000071ffc47763f4 n/a (libc.so.6 + 0x963f4) #1 0x000071ffc471d120 raise (libc.so.6 + 0x3d120) #2 0x000071ffc47044c3 abort (libc.so.6 + 0x244c3) #3 0x0000607571579803 unpacker_advance (nvim + 0x4c803) #4 0x00006075717e93ba internal_read_event (nvim + 0x2bc3ba) #5 0x00006075718e52e8 state_handle_k_event (nvim + 0x3b82e8) #6 0x0000607571802b71 nv_event (nvim + 0x2d5b71) #7 0x00006075717f1eb2 normal_execute (nvim + 0x2c4eb2) #8 0x00006075718ed211 state_enter (nvim + 0x3c0211) #9 0x00006075717eebca normal_enter (nvim + 0x2c1bca) #10 0x000060757157b0e7 main (nvim + 0x4e0e7) #11 0x000071ffc4705e08 n/a (libc.so.6 + 0x25e08) #12 0x000071ffc4705ecc __libc_start_main (libc.so.6 + 0x25ecc) #13 0x000060757157d285 _start (nvim + 0x50285) ELF object binary architecture: AMD x86-64 ``` Lua code to reproduce this issue (also fail with `--clean` argument): ```lua local I = function(v) print(vim.inspect(v)) end if CHECK_EXTS_NVIM_CHANNEL then assert(vim.fn.chanclose(CHECK_EXTS_NVIM_CHANNEL) == 1) vim.notify("Previous channel was closed") end CHECK_EXTS_NVIM_CHANNEL = assert(vim.fn.sockconnect("pipe", vim.v.servername, { rpc = true, })) vim.fn.rpcrequest( CHECK_EXTS_NVIM_CHANNEL, "nvim_set_client_info", "it's me dude", vim.version(), "remote", vim.empty_dict(), vim.empty_dict() ) vim.fn.rpcrequest(CHECK_EXTS_NVIM_CHANNEL, "nvim_eval", [['echo' . ' 12']]) vim.fn.rpcrequest(CHECK_EXTS_NVIM_CHANNEL, "nvim_exec2", "echomsg 12", {}) I(vim.fn.rpcrequest(CHECK_EXTS_NVIM_CHANNEL, "nvim_get_vvar", "servername")) -- I(vim.fn.rpcrequest(CHECK_EXTS_NVIM_CHANNEL, "nvim_get_api_info")) I({ "nvim_ui_attach result", vim.fn.rpcrequest( CHECK_EXTS_NVIM_CHANNEL, "nvim_ui_attach", vim.o.columns, vim.o.lines, { ext_messages = false, ext_linegrid = true, ext_multigrid = false, } ) }) -- This print works I("I'm here") ``` Working Python code: ```python import functools import os from typing import List import pynvim def nvim_cb(prefix: str, event_name: str, events: List[str]) -> None: sep = " " print(prefix, event_name) print(sep, end="") print(*events, sep="\n" + sep) def main() -> None: # PID here nvim_pid = 1 xdg_runtime_dir = os.getenv("XDG_RUNTIME_DIR") assert xdg_runtime_dir and os.path.isdir(xdg_runtime_dir) nvim = pynvim.attach( "socket", path=os.path.join( xdg_runtime_dir, f"nvim.{nvim_pid}.0", ), ) nvim.ui_attach(1_000, 1_000, ext_linegrid=True, ext_multigrid=True) nvim.run_loop( functools.partial(nvim_cb, "request_cb"), functools.partial(nvim_cb, "notification_cb"), ) if __name__ == "__main__": main() ``` Used nightly (b51110f4a1), master (7567f7d322) and v0.10.3 (9b5ee7df3e) commits, all versions fail. I'm on Arch Linux, `Linux arch 6.12.3-arch1-1 #1 SMP PREEMPT_DYNAMIC Fri, 06 Dec 2024 11:15:43 +0000 x86_64 GNU/Linux`. ### Steps to reproduce 1. Run Lua script above (e.g., with `--clean`), you can see all the prints and then crash (SIGABRT after abort call()). Core dump should be the same as mine in the example above. 2. Open some Nvim, get its PID (`vim.fn.getpid()`). Run Python code (paste process ID in **nvim_pid** variable), see prints of UI events ### Expected behavior Work w/o crash :) ### Nvim version (nvim -v) NVIM v0.11.0-dev-1414+gb51110f4a1 ### Vim (not Nvim) behaves the same? vim doesn't have this API ### Operating system/version Linux arch 6.12.3-arch1-1 #1 SMP PREEMPT_DYNAMIC Fri, 06 Dec 2024 11:15:43 +0000 x86_64 GNU/Linux ### Terminal name/version alacritty 0.14.0-dev (d4f2f857) ### $TERM environment variable alacritty ### Installation Tried both AUR and self compiled versions
channels-rpc,has:backtrace,bug-crash,ui-extensibility
low
Critical
2,758,836,271
PowerToys
[Run > Calculator plugin] Unit tests: Some tests are failing on non-english systems
### Microsoft PowerToys version pre-0.88.0 (fbd72cc1eababcb5a8db54f83bf84528a591a899) ### Installation method Dev build in Visual Studio ### Running as admin No ### Area(s) with issue? PowerToys Run ### Steps to reproduce ![Image](https://github.com/user-attachments/assets/d63b5475-f5cf-49f1-8498-d51151ccca97) ### โœ”๏ธ Expected Behavior _No response_ ### โŒ Actual Behavior _No response_ ### Other Software _No response_
Issue-Bug,Area-Quality,Resolution-Fix Committed,Cost-Small,Run-Plugin,Issue-Refactoring
low
Minor
2,758,845,984
PowerToys
Add Feature to Retain and Move Selection Area While Measuring in PowerToys Ruler
### Description of the new feature / enhancement Currently, in PowerToys Ruler, the selection area disappears immediately after releasing the left mouse button. This limits its usability for precise measurements between elements like paragraphs, margins, and gaps. I am requesting a feature where holding the Spacebar while dragging allows the user to move the existing selection area across the screen, without losing it. This would enable more accurate and dynamic measurements, especially for UI/UX design work or similar tasks. ### Scenario when this would be used? 1. Current Behavior: The user clicks and drags to create a selection area. Upon releasing the mouse button, the selection area disappears. 2. Proposed Behavior: The user clicks and drags to create a selection area. While holding the Spacebar (or another specified key), the user can move the selection area across the screen to measure gaps or align with other elements. The initial selection remains intact from the first drag. Releasing the Spacebar resumes the original dragging functionality, allowing the user to adjust the size of the selection area. ### Supporting information Use Case: This feature is particularly beneficial for designers, developers, or anyone working with precise layout measurements, such as comparing gaps between paragraphs or aligning UI components. Benefits: Enhances the utility of the Ruler tool by adding a dynamic measurement capability, improving user efficiency and accuracy. References: Similar behavior can be observed in tools like Photoshop, where holding Spacebar allows repositioning during certain operations.
Needs-Triage
low
Minor
2,758,846,249
langchain
DOC: HTMLSemanticPreservingSplitter is documented in API References but not exported in langchain-text-splitters v0.3.4
### URL https://python.langchain.com/api_reference/text_splitters/html/langchain_text_splitters.html.HTMLSemanticPreservingSplitter.html#langchain_text_splitters.html.HTMLSemanticPreservingSplitter ### Checklist - [X] I added a very descriptive title to this issue. - [X] I included a link to the documentation page I am referring to (if applicable). ### Issue with current documentation: API References documentation shows HTMLSemanticPreservingSplitter as available in langchain-text-splitters, but it's not exported in version 0.3.4. This causes import failures when trying to use the documented functionality. Steps to reproduce: - `pip install "langchain-text-splitters==0.3.4"` - Check the contents of the package - Verify that `HTMLSemanticPreservingSplitter` is not available in 0.3.4 ### Idea or request for content: _No response_
๐Ÿค–:docs
low
Critical
2,758,857,969
godot
Program crashed with signal 11
### Tested versions - Happens in Godot v4.3.stable (77dcf97d8) ### System information Godot v4.3.stable (77dcf97d8) - Windows 10.0.22631 - Vulkan (Mobile) - dedicated NVIDIA GeForce RTX 4070 Laptop GPU (NVIDIA; 31.0.15.3820) - Intel(R) Core(TM) i9-14900HX (32 Threads) ### Issue description Hi, I am saving my game by exporting it as a scene and then saving that to scene. I have this really weird issue where out of nowhere, my game crashes when saving. This happens without me doing something important in the game, it can even save propperly, then I go afk and wait for the autosave and it crahses when autosaving. This happens on windows and android (No other platforms tested) but only if I export the game, it doesn't happen when I run the game from the editor. I use only gdscript, so there should be no weird c++ code fucking with stuff on my end. This is the saving code: ```gdscript func saveGame(): GameManager.logging.logCustom("Started saving game", Logging.LogLevel.DEBUG) DisplayPopupSimple.new().init(2,"Saving game",15,DefaultColors.gray,DefaultColors.yellow,400,50).display() await get_tree().create_timer(0.1).timeout if !NodeActions.isNodeFreed(saveNode): print(1) var save:PackedScene = PackedScene.new() print(2) save.pack(saveNode) print(3) ResourceSaver.save(save,"user://saves/"+acitveSave+saveExtension) print(4) var file = FileAccess.open("user://saves/"+acitveSave+".savedata", FileAccess.WRITE) print(5) var json_string = JSON.stringify(activeSaveMetaData) print(6) file.store_line(json_string) print(7) else: GameManager.logging.logCustom("No save node present", Logging.LogLevel.ERROR) DisplayPopupSimple.new().init(2,"Game saved",15,DefaultColors.gray,DefaultColors.yellow,400,50).display() GameManager.logging.logCustom("Finished saving game", Logging.LogLevel.DEBUG) ``` And this is the error in the log ``` [DEBUG - 15:58:39] Started saving game 1 2 ================================================================ CrashHandlerException: Program crashed with signal 11 Engine version: Godot Engine v4.3.stable.official (77dcf97d82cbfe4e4615475fa52ca03da645dbd8) Dumping the backtrace. Please include this when reporting the bug to the project developer. [1] error(-1): no debug info in PE/COFF executable [2] error(-1): no debug info in PE/COFF executable [3] error(-1): no debug info in PE/COFF executable [4] error(-1): no debug info in PE/COFF executable [5] error(-1): no debug info in PE/COFF executable [6] error(-1): no debug info in PE/COFF executable [7] error(-1): no debug info in PE/COFF executable [8] error(-1): no debug info in PE/COFF executable [9] error(-1): no debug info in PE/COFF executable [10] error(-1): no debug info in PE/COFF executable [11] error(-1): no debug info in PE/COFF executable [12] error(-1): no debug info in PE/COFF executable [13] error(-1): no debug info in PE/COFF executable [14] error(-1): no debug info in PE/COFF executable [15] error(-1): no debug info in PE/COFF executable [16] error(-1): no debug info in PE/COFF executable [17] error(-1): no debug info in PE/COFF executable [18] error(-1): no debug info in PE/COFF executable [19] error(-1): no debug info in PE/COFF executable [20] error(-1): no debug info in PE/COFF executable [21] error(-1): no debug info in PE/COFF executable [22] error(-1): no debug info in PE/COFF executable [23] error(-1): no debug info in PE/COFF executable [24] error(-1): no debug info in PE/COFF executable [25] error(-1): no debug info in PE/COFF executable [26] error(-1): no debug info in PE/COFF executable [27] error(-1): no debug info in PE/COFF executable [28] error(-1): no debug info in PE/COFF executable [29] error(-1): no debug info in PE/COFF executable -- END OF BACKTRACE -- ================================================================ ``` So it seems to crash while packing. I doubt that its some recursion when saving, because I checked my whole code for that like three times already, and also, then it wouldn't only happen randomly. Please, if someone can tell me what causes this / fix it, I would be sooo thankful because it makes my game kinda unplayable when every 10 minutes or so it just crashes and there is nothing you can do. ### Steps to reproduce Start my game, play around a bit and afk while having autosave timer set to 1 minute, it should happen after like 10 minutes ### Minimal reproduction project (MRP) Unfortunately I was not able to create a mrp, but if you want I can send you my whole game, but only in private dms or smth if it helps debugging (Its a really big project, I don't just want to share it pubicly here, sorry)
bug,needs testing,crash
low
Critical
2,758,862,693
react
[DevTools Bug] Minified React error #310; visit https://react.dev/errors/310 for the full message or use the non-minified dev environment for full errors and additional helpful warnings.
### Website or app http://localhost:1234/restaurants/323532 ### Repro steps i'm not able to open components features and use it properly ### How often does this bug happen? Every time ### DevTools package (automated) react-devtools-extensions ### DevTools version (automated) 6.0.1-c7c68ef842 ### Error message (automated) Minified React error #310; visit https://react.dev/errors/310 for the full message or use the non-minified dev environment for full errors and additional helpful warnings. ### Error call stack (automated) ```text at updateWorkInProgressHook (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:53845) at Object.updateCallback [as useCallback] (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:63009) at t.useCallback (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:222673) at InspectedElementContextController (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1329500) at renderWithHooks (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:52283) at updateFunctionComponent (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:81757) at beginWork (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:95976) at performUnitOfWork (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:154382) at workLoopSync (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:154250) at renderRootSync (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:153981) ``` ### Error component stack (automated) ```text at InspectedElementContextController (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1328724) at da (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1315454) at div (<anonymous>) at InspectedElementErrorBoundaryWrapper (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1321764) at NativeStyleContextController (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1354133) at div (<anonymous>) at div (<anonymous>) at OwnersListContextController (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1268367) at SettingsModalContextController (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1297652) at chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1393839 at da (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1315454) at div (<anonymous>) at div (<anonymous>) at ThemeProvider (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1318165) at chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1318362 at div (<anonymous>) at div (<anonymous>) at div (<anonymous>) at ThemeProvider (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1318165) at TimelineContextController (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1395852) at ProfilerContextController (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1387571) at TreeContextController (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1209877) at SettingsContextController (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1238028) at ModalDialogContextController (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1375269) at DevTools_DevTools (chrome-extension://fmkadmapgofadopljbjfkapdkoienihi/build/main.js:1:1544258) ``` ### GitHub query string (automated) ```text https://api.github.com/search/issues?q=Minified React error #310; visit https://react.dev/errors/310 for the full message or use the non-minified dev environment for full errors and additional helpful warnings. in:title is:issue is:open is:public label:"Component: Developer Tools" repo:facebook/react ```
Type: Bug,Status: Unconfirmed,Component: Developer Tools
low
Critical
2,758,866,178
excalidraw
Issue with Double-Tap Text Input on Excalidraw (Windows Tablet with Stylus)
When using a stylus on a Windows tablet, there's an issue with the double-tap shortcut for entering text. If the double-tap is performed quickly, the text input field appears momentarily and then closes automatically before any text can be written. However, if the double-tap is slower, the input field stays open, allowing text entry. Interestingly, this problem does not occur when performing the double-tap with a finger, where the text input works as expected. **Steps to Reproduce**: 1. Open Excalidraw on a Windows tablet with a stylus. 2. Attempt to create a text input field by double-tapping the screen quickly with the stylus. 3. Observe that the text input field appears and then closes immediately. 4. Repeat the action, but this time perform the double-tap more slowly. 5. Notice that the input field stays open, allowing text entry. https://github.com/user-attachments/assets/b7b4af39-7ce7-47a0-b689-642b60325b57 Additionally, the same issue has been observed when using the Excalidraw plugin in Obsidian https://github.com/zsviczian/obsidian-excalidraw-plugin/issues/1827
bug
low
Major
2,758,870,690
deno
Behavior is different from node with duckdb library
Version: deno 2.1.4 windows 10 64bit We created a simple database with npm's duckdb DB library. In node.js, a single file named duckdb-direct.duckdb is created after program execution. This is normal behavior. However, when the same process is executed in Deno, after the program is completed will leave a duckdb-direct.duckdb.wal file in addition to the duckdb-direct.duckdb file. We have created a repository of the complete reproduced code below. https://github.com/fushihara/duckdb-node-deno-issue I am using only one library, the following duckdb library. https://www.npmjs.com/package/duckdb In node.js, however, only the duckdb-direct.duckdb file is created, Deno creates two files: duckdb-direct.duckdb and duckdb-direct.duckdb.wal ![image](https://github.com/user-attachments/assets/78731f7a-38d8-4065-b29d-b766259551b7) ![image](https://github.com/user-attachments/assets/1345eb45-4fc2-4cae-a3c3-2388354f8c47) Since the behavior is different from node.js, we determined that it is a node compatibility issue with deno, so we create an issue in the deno repository.
needs investigation,node compat
low
Minor
2,758,879,067
godot
Emission texture not working in custom shader on mobile devices
### Tested versions - v4.4.dev.mono.custom_build [c20d98d01] ### System information Godot v4.4.dev.mono (c20d98d01) - Pop!_OS 22.04 LTS on Wayland - X11 display driver, Multi-window, 3 monitors - Vulkan (Mobile) - dedicated Intel(R) Arc(tm) A750 Graphics (DG2) - AMD Ryzen 7 5800X 8-Core Processor (16 threads) ### Issue description - The standard Godot shader is on the left and the custom shader is on the right. - Both Desktop and Mobile are using the mobile renderer ### Desktop Linux Build โœ… ![Image](https://github.com/user-attachments/assets/3759a4d7-17de-45d8-8789-c850f5c26ad3) In this build, you can see that the emission map is only emitting colors in accordance with the emission textures. The lighter areas emit brighter colors and the darker areas do not emit any. ### Mobile Android and iOS build โŒ ![Image](https://github.com/user-attachments/assets/9ac74d0a-2cb1-4d05-8ea3-3573ff0bb53a) In this build, you can see that the emission is being applied to the entire model and ignoring the emission map texture. ### Steps to reproduce - Open the MRP - Export to dekstop, ios, and android - See that the emission map is working correctly on desktop but not working on mobile platforms - You can inspect the shader at res://Skin_Magma/cube_guy_standard.shader.tres - I am using a double precision + mono build of Godot ### Minimal reproduction project (MRP) [mrp.zip](https://github.com/user-attachments/files/18246611/mrp.zip)
bug,platform:ios,platform:android,topic:rendering
low
Minor
2,758,882,985
godot
Constant crashes
### Tested versions 4.3 stable ### System information Godot v4.3.stable - Windows 10.0.26100 - Vulkan (Forward+) - dedicated NVIDIA GeForce RTX 4070 Laptop GPU (NVIDIA; 32.0.15.6636) - 13th Gen Intel(R) Core(TM) i7-13700HX (24 Threads) ### Issue description With around 15 minutes in the engine and working on my project, I get crashes. I have already tested everything I could find around the web but nothing changed. ### Steps to reproduce N/A ### Minimal reproduction project (MRP) [project.zip](https://github.com/user-attachments/files/18246636/project.zip) EDIT: fixes to my problem: 1. https://github.com/godotengine/godot/issues/100807#issuecomment-2564181228 2. https://github.com/godotengine/godot/issues/100807#issuecomment-2564796123 It worked for me and I hope it works for you too. Thank to everybody who contributed and have a wonderful year ahead of you.
bug,needs testing,crash
medium
Critical
2,758,888,793
svelte
feat: allow objects for style attribute
### Describe the problem Since https://github.com/sveltejs/svelte/pull/14714, Svelte allow objects/arrays for `class` attribute. I think there should be an equivalent for the `style` attribute, at least for objects (I don't see any usage for array). ### Describe the proposed solution I expect to have something like this : ```svelte <div style={{ 'font-size': size, border: "1px solid", color }}> ... </div> ``` This could be easily done by wrapping the object into a function, but I think this could be handheld internaly. Example : https://svelte.dev/playground/hello-world?version=5.16.0#H4sIAAAAAAAACq1S24rbMBD9lakI2IbUbkpZimMH-tS-9QPWC-vLuOtEkYQ0TrM1_vdKirOJqfetGIN0zszozMwZmCiPyFL2AzmX8Ftq3kCITUfYRGzN2o6jYenjwOhVuTgHWHzK-qZUbE7IyWFVaXAJr6UgFGTLsMzUulO0K0RB3VFJTTBAbcwZRmi1PEIQJ-4a702wdUHu50hQSy415LAyVBKGQcXL-hBE2ytvuj94R28e1NmzWXJ7UWQGOdYEVSea9FTyHvPBFx69oEwq6qTY-dpZMt3mTI-LxC-NKBYZjc0dbuV4CbtlMa6LuZbNJ3VerOs6XCQ-f3mP-Doj7qT4MYvsZQOGXrkbil1BODgiaO3yPjpdQeqHvHZoJXWDOoWCbdQZjORdUzDP-HEWYozGnT-mME0YEp9u777JLHnZXHaiNNrDdxSo7eqaiwRIr8v_L1qy5PKK-6whCc_EUtI9jut3jD2ZcO7qG3hn6cJW80Zue1G72Xo_hyYCL9r6vIXQQJ6D6Dl_QwvSSL0WHr1YncZbghMlW3B5OQSy2ttNBf8m__REbKXoDo199MoXFNuGCHUYPq5PTxHkOzjBh0nEXdSxVDbkcI15Xg2HMV0Np_H5LQog3stOhME2iGZCJxHGyx_ng30a_wKyD94cWwQAAA== ### Importance nice to have
feature request
low
Major
2,758,891,270
pytorch
Integration of AdamCPR Optimizer into PyTorch
### ๐Ÿš€ The feature, motivation and pitch # Proposal: Integration of AdamCPR Optimizer into PyTorch **Authors:** - @ZiadHelal ## **Summary** We propose the integration of AdamCPR, a novel deep learning optimizer developed at the University of Freiburg, into PyTorch's core optimizer library. AdamCPR builds upon the widely adopted AdamW (also originating from our lab) and introduces Constrained Parameter Regularization (CPR) to improve optimization dynamics and generalization. CPR enforces adaptive and individualized regularization constraints across parameter matrices, requiring minimal hyperparameter tuning while outperforming AdamW on diverse tasks such as language modeling, image classification, and medical image segmentation. For details, see our paper: [Improving Deep Learning Optimization through Constrained Parameter Regularization](https://arxiv.org/abs/2311.09058). ## **Motivation** AdamCPR addresses key limitations of uniform regularization in traditional optimizers, offering: - **Dynamic Regularization:** CPR adapts the penalty strength during training, eliminating the need for manual weight decay scheduling. - **Improved Performance:** Demonstrated gains in multiple benchmarks, including CIFAR100 (+1.5% accuracy), ImageNet (+2-3% accuracy on DeiT models), and GPT-2 pretraining (33% reduced training time to achieve comparable perplexity). - **Wide Applicability:** Suitable for diverse tasks, including fine-tuning large-scale models and training robust classifiers in noisy settings. ### Experimental Highlights 1. **GPT-2 Pretraining:** CPR achieved the same perplexity as AdamW with **33% fewer training steps**, translating into significant computational savings. 2. **Image Classification:** CPR outperformed AdamW in training ResNet18 on CIFAR100 with +1.5% accuracy and DeiT-Small on ImageNet with +2% top-1 accuracy. 3. **Medical Image Segmentation:** CPR improved Dice scores in tasks such as Brain Tumor Segmentation (+0.43%) and Multi-Atlas Labeling (+0.24%) compared to SGD with weight decay. ### Addressing Concerns 1. While AdamCPR is implemented in our [lab's GitHub repository](https://github.com/automl/CPR) and PyTorch encourages the exploration of optimizers in third-party libraries, we believe AdamCPR merits inclusion in the core library due to its foundational improvements, broad applicability, and lineage from AdamW, which is a widely used and trusted optimizer in PyTorch. Integrating AdamCPR would provide the community with a robust, efficient, and ready-to-use tool, fostering adoption and reducing the need for users to implement or maintain custom solutions. 2. CPR has been tested extensively across diverse domains, achieving consistent performance gains with minimal to zero hyperparameter tuning. 3. Our lab has pioneered impactful contributions like AdamW, and AdamCPR continues this trajectory, representing the cutting edge of optimizer research. ## **Proposed Implementation** AdamCPR builds on PyTorchโ€™s existing optimizer framework, ensuring compatibility and ease of integration: 1. **Single Tensor & Multi (foreach) Tensor Implementation :** This is already implemented in our repo. 4. **Fused Implementation (Planned):** Targeted for CUDA optimization, offering significant speedup in large-scale deployments. ## **Metrics** - Performance improvement over AdamW on diverse tasks: - CIFAR100: +1.5% accuracy on ResNet18. - ImageNet: +2-3% accuracy on DeiT models. - GPT-2: 33% reduction in training budget for equivalent perplexity. - Reduction in hyperparameter tuning effort (e.g., weight decay). - Computational efficiency compared to baseline optimizers (runtime increase <6%). ## **Drawbacks** 1. **Runtime Overhead:** Minor increase in training time (~0.5โ€“5% in most settings) due to additional computations for constraints. We look forward to feedback from the PyTorch team, specifically Optimizers maintainers @janeyx99 @albanD @jbschlosser. ### Alternatives _No response_ ### Additional context _No response_ cc @vincentqb @jbschlosser @albanD @janeyx99 @crcrpar
module: optimizer,triaged
low
Major
2,759,045,560
yt-dlp
ytboob.com
### DO NOT REMOVE OR SKIP THE ISSUE TEMPLATE - [X] I understand that I will be **blocked** if I *intentionally* remove or skip any mandatory\* field ### Checklist - [X] I'm reporting a new site support request - [X] I've verified that I have **updated yt-dlp to nightly or master** ([update instructions](https://github.com/yt-dlp/yt-dlp#update-channels)) - [X] I've checked that all provided URLs are playable in a browser with the same IP and same login details - [X] I've checked that none of provided URLs [violate any copyrights](https://github.com/yt-dlp/yt-dlp/blob/master/CONTRIBUTING.md#is-the-website-primarily-used-for-piracy) or contain any [DRM](https://en.wikipedia.org/wiki/Digital_rights_management) to the best of my knowledge - [X] I've searched [known issues](https://github.com/yt-dlp/yt-dlp/issues/3766) and the [bugtracker](https://github.com/yt-dlp/yt-dlp/issues?q=) for similar issues **including closed ones**. DO NOT post duplicates - [X] I've read the [guidelines for opening an issue](https://github.com/yt-dlp/yt-dlp/blob/master/CONTRIBUTING.md#opening-an-issue) - [ ] I've read about [sharing account credentials](https://github.com/yt-dlp/yt-dlp/blob/master/CONTRIBUTING.md#are-you-willing-to-share-account-details-if-needed) and am willing to share it if required ### Region _No response_ ### Example URLs -Single video - https://ytboob.com/full-nude-3/ -Playlist-ish links * https://ytboob.com/?filter=latest * https://ytboob.com/?filter=most-viewed * https://ytboob.com/?filter=longest * https://ytboob.com/?filter=popular * https://ytboob.com/page/2/ * https://ytboob.com/page/3/ ### Provide a description that is worded well enough to be understood mp4 is hosted on vidhost.me, and is easily curled. ### Provide verbose output that clearly demonstrates the problem - [X] Run **your** yt-dlp command with **-vU** flag added (`yt-dlp -vU <your command line>`) - [ ] If using API, add `'verbose': True` to `YoutubeDL` params instead - [X] Copy the WHOLE output (starting with `[debug] Command-line config`) and insert it below ### Complete Verbose Output ```shell [debug] yt-dlp version [email protected] from yt-dlp/yt-dlp-nightly-builds [65cf46cdd] (win_exe) [debug] Python 3.10.11 (CPython AMD64 64bit) - Windows-7-6.1.7601-SP1 (OpenSSL 1.1.1t 7 Feb 2023) [debug] exe versions: ffmpeg 7.0-full_build-www.gyan.dev (setts), ffprobe 7.0-full_build-www.gyan.dev [debug] Optional libraries: Cryptodome-3.21.0, brotli-1.1.0, certifi-2024.12.14, curl_cffi-0.5.10, mutagen-1.47.0, requests-2.32.3, sqlite3-3.40.1, urllib3-2.3.0, websockets-14.1 [debug] Request Handlers: urllib, requests, websockets, curl_cffi [debug] Extractor Plugins: AGB (YoutubeIE), Youtube_AgeGateBypassIE [debug] Loaded 1838 extractors [generic] Extracting URL: https://ytboob.com/full-nude-3/ [generic] full-nude-3: Downloading webpage WARNING: [generic] Falling back on generic information extractor [generic] full-nude-3: Extracting information [debug] Looking for embeds ERROR: Unsupported URL: https://ytboob.com/full-nude-3/ Traceback (most recent call last): File "yt_dlp\YoutubeDL.py", line 1634, in wrapper File "yt_dlp\YoutubeDL.py", line 1769, in __extract_info File "yt_dlp\extractor\common.py", line 742, in extract File "yt_dlp\extractor\generic.py", line 2553, in _real_extract yt_dlp.utils.UnsupportedError: Unsupported URL: https://ytboob.com/full-nude-3/ ```
NSFW,site-bug,piracy/illegal,regression
low
Critical
2,759,054,782
deno
Deno install dependecies incorrectly
Version: Deno 2.1.4 Added deno support into nestjs project, but deno install works incorrectly. https://github.com/NarHakobyan/awesome-nest-boilerplate/issues/356
bug,install
low
Minor
2,759,066,627
godot
OpenGL 3.3 not supported even if mesa is updated and drivers updated on linux.
### Tested versions In Godot 4.3. ### System information Debian based Linux, Godot 4.3 ### Issue description When i open godot on MX Linux i get an error saying i need OpenGL 3.3 or higher. i tried opening it with vulkan drivers and after a minute Godot crashed.![Image](https://github.com/user-attachments/assets/76ae2dda-94e4-4b16-b219-b833ee4a4a5d) But, i tried it on windows 7 and it did work. ### Steps to reproduce I tried it on MX Linux, GPU: AMD Redeon 5650 HD. ### Minimal reproduction project (MRP) N/A
platform:linuxbsd,topic:rendering,needs testing
low
Critical
2,759,092,579
vscode
Request for Pinch-to-Zoom or Keyboard Zoom Functionality for Side Bar and Activity Bar
<!-- โš ๏ธโš ๏ธ Do Not Delete This! feature_request_template โš ๏ธโš ๏ธ --> <!-- Please read our Rules of Conduct: https://opensource.microsoft.com/codeofconduct/ --> <!-- Please search existing issues to avoid creating duplicates. --> <!-- Describe the feature you'd like. --> **Requirements** Currently, when zooming in or out in VS Code (either using the keyboard shortcuts or mouse scroll), the editor area and the Activity Bar (and Side Bar) zoom together. However, there is no way to independently zoom the Side Bar or Activity Bar without affecting the entire interface. This can be problematic for users who want to zoom the editor without changing the size of the side panels. **Why This Feature is Important:** **Usability**: Users who prefer to zoom in on the editor text but do not want the Activity Bar and Side Bar to zoom along with it will benefit from independent zoom controls. **Consistency**:Many other applications (e.g., web browsers, design tools) support pinch-to-zoom or keyboard zoom for the entire interface, including side panels. This feature would bring VS Code in line with those tools. **Touchpad Support**: For users on laptops with touchpads, pinch-to-zoom is an intuitive way to adjust the zoom level without relying on keyboard shortcuts. Additional Context: The zooming functionality for the editor works well with keyboard shortcuts and mouse scroll, but users may want more granular control over the zoom level of the Side Bar and Activity Bar. This feature could be useful for users who have high-resolution screens and want to adjust only the editorโ€™s text size while keeping the side panels at a fixed size.
feature-request,layout
low
Minor
2,759,103,768
PowerToys
PowerToys -> Quick Accent -> Adding Belarusian Latin and Belarusian Cyrillic
### Description of the new feature / enhancement Hello! My suggestion is to add Belarusian Latin and Belarusian Cyrillic scripts special characters to Quick Accent **Belarusian Latin special characters:** ฤ†, ฤ‡, ฤŒ, ฤ, ลš, ล›, ล , ลก, ลฌ, ลญ, ลน, ลบ, ลฝ , ลพ, ล, ล‚, ลƒ, ล„ **Belarusian Cyrillic special characters:** ะŽ, ัž ____________ I believe they can be all added into "Belarusian" set of special characters ๐Ÿ˜ ### Scenario when this would be used? As I am native speaker of Belarusian and I commonly use it in my daily routine, this feature would be very useful for me, considering that I usually use several languages for my work and that would help me to minimize usage of additional symbols sets ### Supporting information I believe such implementation would be beneficial for other users who use belarusian in their daily communication ๐Ÿ””๐ŸŒŸ๐ŸŽ„
Needs-Triage
medium
Major
2,759,111,392
flutter
multiple decompressLicenses isolates during debug sessions
### Steps to reproduce I"m debugging my flutter app on linux (ubuntu) and every now and them I"m seeing a large number of isolates spawned with debug names such as decompressLicenses, parseLicenses. When this occurs my debug session becomes unresponsive until the isolates finish. I've tried pausing the isolates to see what is going on but the debugger doesn't show a stacktrace. Having googled for the above isolate names I found that it is part of the core flutter code in service bindings. These isolates take a long to to run to completion (in the order of a minute). https://github.com/flutter/flutter/blob/master/packages/flutter/lib/src/services/binding.dart I'm using a large number of packages : ```yaml name: hmb description: "Hold My Beer - I'm a handyman. Customer, Job management and billing for sole handymen." # The following line prevents the package from being accidentally published to # pub.dev using `flutter pub publish`. This is preferred for private packages. publish_to: 'none' # Remove this line if you wish to publish to pub.dev # The following defines the version and build number for your application. # In Android, build-name is used as versionName while build-number used as versionCode. # Read more about Android versioning at https://developer.android.com/studio/publish/versioning # In iOS, build-name is used as CFBundleShortVersionString while build-number is used as CFBundleVersion. # Read more about iOS versioning at # https://developer.apple.com/library/archive/documentation/General/Reference/InfoPlistKeyReference/Articles/CoreFoundationKeys.html # In Windows, build-name is used as the major, minor, and patch parts # of the product and file versions while build-number is used as the build suffix. version: 0.6.24 environment: sdk: '>=3.5.0 <4.0.0' dependencies: app_links: ^6.1.4 archive: ^3.6.1 camera_platform_interface: ^2.8.0 camera_windows: ^0.2.6 completer_ex: ^4.0.3 country_code: hosted: https://onepub.dev/api/jbbxpsdavu/ version: ^1.1.0 date_time_format: ^2.0.1 datetime_picker_formfield: ^2.0.1 dcli: ^6.0.5 dcli_core: ^6.0.3 direct_caller_sim_choice: ^1.0.5 dlibphonenumber: ^1.1.18 email_validator: ^3.0.0 equatable: ^2.0.0 ffi: ^2.1.2 file_picker: ^8.0.5 fixed: ^5.0.1 fleather: ^1.17.0 flutter: sdk: flutter flutter_colorpicker: ^1.1.0 flutter_email_sender: ^6.0.3 flutter_secure_storage: ^9.2.2 flutter_secure_storage_linux: ^1.2.1 flutter_svg: ^2.0.14 future_builder_ex: ^4.0.0 go_router: ^14.2.0 google_mlkit_barcode_scanning: ^0.13.0 google_sign_in: ^6.2.1 googleapis: ^13.1.0 googleapis_auth: ^1.6.0 halfpipe: ^1.0.1 http: ^1.2.1 image_picker: ^1.1.1 image_picker_platform_interface: ^2.10.0 image_picker_windows: ^0.2.1+1 infinite_calendar_view: ^1.0.2 intl: ^0.19.0 json_annotation: ^4.9.0 june: ^1.0.0+1 logger: ^2.4.0 mailto: ^2.0.0 mobile_number: ^2.1.1 mockito: ^5.4.4 money2: ^5.4.1 oauth2: ^2.0.3 package_info_plus: ^8.1.1 parchment_delta: ^1.0.0 pasteboard: ^0.2.0 path: ^1.9.0 path_provider: ^2.0.0 pdf: ^3.11.0 pdfrx: ^1.0.82 permission_handler: ^11.3.1 photo_view: ^0.15.0 printing: ^5.13.1 provider: ^6.1.2 sentry: ^8.11.0 sentry_flutter: ^8.9.0 sms_advanced: # ^1.1.0 hosted: https://onepub.dev/api/jbbxpsdavu/ sqflite: ^2.3.2 sqflite_common: ^2.5.4+5 sqflite_common_ffi: ^2.3.3+1 sqflite_common_ffi_web: ^0.4.3+1 stacktrace_impl: ^2.3.0 strings: ^3.1.1 svg_flutter: ^0.0.1 toastification: ^2.0.0 url_launcher: ^6.2.5 wakelock_plus: ^1.2.8 win32: ^5.5.1 dev_dependencies: args: ^2.5.0 flutter_launcher_icons: ^0.14.0 flutter_test: sdk: flutter lint_hard: ^5.0.0 pub_release: ^11.0.0 pubspec_manager: ^1.0.0 # The "flutter_lints" package below contains a set of recommended lints to # encourage good coding practices. The lint set provided by the package is # activated in the `analysis_options.yaml` file located at the root of your # package. See that file for information about deactivating specific lint # rules and activating additional ones. # flutter_lints: ^3.0.0 # For information on the generic Dart part of this file, see the # following page: https://dart.dev/tools/pub/pubspec # The following section is specific to Flutter packages. flutter: # The following line ensures that the Material Icons font is # included with your application, so that you can use the icons in # the material Icons class. uses-material-design: true assets: - assets/sql/upgrade_scripts/ - assets/sql/upgrade_list.json - assets/installer/linux/hmb.desktop # An image asset can refer to one or more resolution-specific "variants", see # https://flutter.dev/assets-and-images/#resolution-aware # For details regarding adding assets from package dependencies, see # https://flutter.dev/assets-and-images/#from-packages # To add custom fonts to your application, add a fonts section here, # in this "flutter" section. Each entry in this list should have a # "family" key with the font family name, and a "fonts" key with a # list giving the asset and other descriptors for the font. For # example: # fonts: # - family: Schyler # fonts: # - asset: fonts/Schyler-Regular.ttf # - asset: fonts/Schyler-Italic.ttf # style: italic # - family: Trajan Pro # fonts: # - asset: fonts/TrajanPro.ttf # - asset: fonts/TrajanPro_Bold.ttf # weight: 700 # # For details regarding fonts from package dependencies, # see https://flutter.dev/custom-fonts/#from-packages flutter_icons: android: true ios: true macos: true windows: true linux: true web: true image_path: "assets/icons/hmb_app_icon.webp" ``` Interestingly enough I can trigger the problem by navigating to a particular screen in my app. This bit is particulalry weird as I change from using a Card/ListTile ```dart Widget _buildTotals() => Card( margin: const EdgeInsets.all(8), child: ListTile( title: const Text('Totals'), subtitle: Column( crossAxisAlignment: CrossAxisAlignment.start, children: [ Text('Labour: $_totalLabourCost'), Text('Materials: $_totalMaterialsCost'), Text('Combined: $_totalCombinedCost'), ], ), ), ); ``` to my own SurfaceCard ```dart class SurfaceCard extends StatelessWidget { const SurfaceCard({ required this.title, required this.body, this.height, this.onPressed, this.elevation = SurfaceElevation.e4, this.padding = const EdgeInsets.all(HMBTheme.padding), super.key, }); final String title; final Widget body; final double? height; final void Function()? onPressed; final SurfaceElevation elevation; final EdgeInsetsGeometry? padding; @override Widget build(BuildContext context) => GestureDetector( onTap: onPressed, child: Container( height: height, color: elevation.color, padding: padding, child: Column( crossAxisAlignment: CrossAxisAlignment.start, children: [HMBTextHeadline(title), Expanded(child: body)])), ); } ``` That singular change causes these isolates to spool up (I've proven this by flipping between the two versions of code). I'm not asking about my layout issue, I can fix that, but it shouldn't trigger this odd behaviour. ``` Cannot hit test a render box that has never been laid out. โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• โ•โ•โ•โ•โ•โ•โ•โ• Exception caught by gestures library โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• Cannot hit test a render box that has never been laid out. โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• โ•โ•โ•โ•โ•โ•โ•โ• Exception caught by gestures library โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• Cannot hit test a render box that has never been laid out. โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• โ•โ•โ•โ•โ•โ•โ•โ• Exception caught by gestures library โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• Cannot hit test a render box that has never been laid out. โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• โ•โ•โ•โ•โ•โ•โ•โ• Exception caught by gestures library โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• Cannot hit test a render box that has never been laid out. โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• โ•โ•โ•โ•โ•โ•โ•โ• Exception caught by scheduler library โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• 'package:flutter/src/rendering/mouse_tracker.dart': Failed assertion: line 203 pos 12: '!_debugDuringDeviceUpdate': is not true. โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• โ•โ•โ•โ•โ•โ•โ•โ• Exception caught by gestures library โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• Cannot hit test a render box that has never been laid out. โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ• ``` If I fix the layout issue, the problem goes away. ### Expected results Only one isolate should be spawned to process licenses. ### Actual results about a dozen isolates are spawned. ### Code sample <details open><summary>Code sample</summary> ```dart [Paste your code here] ``` </details> ### Screenshots or Video <details open> <summary>Screenshots / Video demonstration</summary> ![Screenshot from 2024-12-26 08-51-55](https://github.com/user-attachments/assets/0917f5fe-558b-4bbc-8ef7-92145e4cd0c1) </details> ### Logs <details open><summary>Logs</summary> ```console [Paste your logs here] ``` </details> ### Flutter Doctor output <details open><summary>Doctor output</summary> ```console flutter doctor Doctor summary (to see all details, run flutter doctor -v): [โœ“] Flutter (Channel stable, 3.27.1, on Ubuntu 24.04.1 LTS 6.8.0-48-generic, locale en_AU.UTF-8) [!] Android toolchain - develop for Android devices (Android SDK version 34.0.0) โœ— cmdline-tools component is missing Run `path/to/sdkmanager --install "cmdline-tools;latest"` See https://developer.android.com/studio/command-line for more details. โœ— Android license status unknown. Run `flutter doctor --android-licenses` to accept the SDK licenses. See https://flutter.dev/to/linux-android-setup for more details. [โœ“] Chrome - develop for the web [โœ“] Linux toolchain - develop for Linux desktop [โœ“] Android Studio (version 2024.2) [!] Android Studio (version unknown) โœ— Unable to determine Android Studio version. โœ— android-studio-dir = /home/bsutton/Android/Sdk โœ— Unable to find bundled Java version. [โœ“] VS Code (version 1.95.3) [โœ“] Connected device (2 available) [โœ“] Network resources ! Doctor found issues in 2 categories. ``` </details>
tool,framework,t: hot reload,a: debugging,P2,team-tool,triaged-tool
low
Critical
2,759,116,283
ui
[bug]: missing files in toast manual installation
### Describe the bug The production docs website still doesn't reflect the changes for the toaster.tsx and use-toast.tsx manual installation components fixed in [#1243](https://github.com/shadcn-ui/ui/pull/1243). ### Affected component/components Toast ### How to reproduce 1. Go to [/docs/components/toast](https://ui.shadcn.com/docs/components/toast) 2. Installation 3. Manual 4. Check that the files for `toast.tsx`, `toaster.tsx` and `use-toast.tsx` are the same. ### Codesandbox/StackBlitz link _No response_ ### Logs _No response_ ### System Info ```bash MacOS, Brave. ``` ### Before submitting - [X] I've made research efforts and searched the documentation - [X] I've searched for existing issues
bug
low
Critical
2,759,122,454
rust
Tracking issue for release notes of #131729: Make the `test` cfg a userspace check-cfg
This issue tracks the release notes text for #131729. ### Steps - [X] Proposed text is drafted by PR author (or team) making the noteworthy change. - [ ] Issue is nominated for release team review of clarity for wider audience. - [ ] Release team includes text in release notes/blog posts. ### Release notes text The responsible team for the underlying change should edit this section to replace the automatically generated link with a succinct description of what changed, drawing upon text proposed by the author (either in discussion or through direct editing). ````markdown # Compatibility notes - [`rustc` no longer treats the `test` cfg as a well known check-cfg](https://github.com/rust-lang/rust/pull/131729), instead it is up to the build systems and users of `--check-cfg`[^check-cfg] to set it as a well known cfg using `--check-cfg=cfg(test)`. This is done to enable build systems like Cargo to set it conditionally, as not all source files are suitable for unit tests. [Cargo (for now) unconditionally sets the `test` cfg as a well known cfg](https://github.com/rust-lang/cargo/pull/14963). [^check-cfg]: https://doc.rust-lang.org/nightly/rustc/check-cfg.html ```` > [!TIP] > Use the [previous releases](https://doc.rust-lang.org/nightly/releases.html) categories to help choose which one(s) to use. > The category will be de-duplicated with all the other ones by the release team. > > *More than one section can be included if needed.* ### Release blog section If the change is notable enough for inclusion in the blog post, the responsible team should add content to this section. *Otherwise leave it empty.* ````markdown ```` cc @Urgau, @petrochenkov -- origin issue/PR authors and assignees for starting to draft text
T-compiler,relnotes,F-check-cfg,relnotes-tracking-issue
low
Minor
2,759,123,651
pytorch
FlexAttention `create_block_mask` contains a CUDA sync
### ๐Ÿ› Describe the bug I am trying to capture our model forward pass into a CUDA graph, but Flex Attention's `create_block_mask` contains a graph break. I'm honestly not sure if this is a "bug" or a "feature request". I have tested `create_block_mask` both with and without `_compile=True` and it happens in both cases. Relevant stack trace: ``` RuntimeError: called a synchronizing CUDA operation While executing %setitem : [num_users=0] = call_function[target=operator.setitem](args = (%dense_mask_2, (%row_indi ces, %valid_indices), 1), kwargs = {}) Original traceback: File "/opt/conda/envs/main-env/lib/python3.11/site-packages/torch/nn/attention/flex_attention.py", line 893, in c reate_block_mask block_mask = _create_sparse_block_from_block_mask( File "/opt/conda/envs/main-env/lib/python3.11/site-packages/torch/nn/attention/flex_attention.py", line 765, in _ create_sparse_block_from_block_mask return BlockMask.from_kv_blocks( File "/opt/conda/envs/main-env/lib/python3.11/site-packages/torch/nn/attention/flex_attention.py", line 353, in f rom_kv_blocks q_num_blocks, q_indices = _transpose_ordered(kv_num_blocks, kv_indices) File "/opt/conda/envs/main-env/lib/python3.11/site-packages/torch/nn/attention/flex_attention.py", line 187, in _ transpose_ordered dense = _ordered_to_dense(num_blocks_in_row, col_indices) File "/opt/conda/envs/main-env/lib/python3.11/site-packages/torch/nn/attention/flex_attention.py", line 172, in _ ordered_to_dense out = create_dense_batched(num_blocks_in_row, col_indices) File "/opt/conda/envs/main-env/lib/python3.11/site-packages/torch/_functorch/apis.py", line 203, in wrapped return vmap_impl( File "/opt/conda/envs/main-env/lib/python3.11/site-packages/torch/_functorch/vmap.py", line 331, in vmap_impl return _flat_vmap( File "/opt/conda/envs/main-env/lib/python3.11/site-packages/torch/_functorch/vmap.py", line 479, in _flat_vmap batched_outputs = func(*batched_inputs, **kwargs) File "/opt/conda/envs/main-env/lib/python3.11/site-packages/torch/_functorch/apis.py", line 203, in wrapped return vmap_impl( File "/opt/conda/envs/main-env/lib/python3.11/site-packages/torch/_functorch/vmap.py", line 331, in vmap_impl return _flat_vmap( File "/opt/conda/envs/main-env/lib/python3.11/site-packages/torch/_functorch/vmap.py", line 479, in _flat_vmap batched_outputs = func(*batched_inputs, **kwargs) File "/opt/conda/envs/main-env/lib/python3.11/site-packages/torch/nn/attention/flex_attention.py", line 165, in c reate_dense_one dense_mask[row_indices, valid_indices] = 1 ``` ### Versions ``` Collecting environment information... PyTorch version: 2.6.0.dev20241211+cu126 Is debug build: False CUDA used to build PyTorch: 12.6 ROCM used to build PyTorch: N/A OS: Ubuntu 20.04.6 LTS (x86_64) GCC version: (Ubuntu 9.4.0-1ubuntu1~20.04.2) 9.4.0 Clang version: Could not collect CMake version: version 3.16.3 Libc version: glibc-2.31 Python version: 3.11.10 | packaged by conda-forge | (main, Oct 16 2024, 01:27:36) [GCC 13.3.0] (64-bit runtime) Python platform: Linux-6.8.0-49-generic-x86_64-with-glibc2.31 Is CUDA available: True CUDA runtime version: 12.6.77 CUDA_MODULE_LOADING set to: LAZY GPU models and configuration: GPU 0: NVIDIA A100-SXM4-40GB Nvidia driver version: 550.127.05 cuDNN version: Could not collect HIP runtime version: N/A MIOpen runtime version: N/A Is XNNPACK available: True CPU: Architecture: x86_64 CPU op-mode(s): 32-bit, 64-bit Byte Order: Little Endian Address sizes: 48 bits physical, 48 bits virtual CPU(s): 30 On-line CPU(s) list: 0-29 Thread(s) per core: 1 Core(s) per socket: 1 Socket(s): 30 NUMA node(s): 1 Vendor ID: AuthenticAMD CPU family: 25 Model: 1 Model name: AMD EPYC 7J13 64-Core Processor Stepping: 1 CPU MHz: 2449.998 BogoMIPS: 4899.99 Virtualization: AMD-V Hypervisor vendor: KVM Virtualization type: full L1d cache: 1.9 MiB L1i cache: 1.9 MiB L2 cache: 15 MiB L3 cache: 480 MiB NUMA node0 CPU(s): 0-29 Vulnerability Gather data sampling: Not affected Vulnerability Itlb multihit: Not affected Vulnerability L1tf: Not affected Vulnerability Mds: Not affected Vulnerability Meltdown: Not affected Vulnerability Mmio stale data: Not affected Vulnerability Reg file data sampling: Not affected Vulnerability Retbleed: Not affected Vulnerability Spec rstack overflow: Vulnerable: Safe RET, no microcode Vulnerability Spec store bypass: Mitigation; Speculative Store Bypass disabled via prctl Vulnerability Spectre v1: Mitigation; usercopy/swapgs barriers and __user pointer sanitization Vulnerability Spectre v2: Mitigation; Retpolines; IBPB conditional; IBRS_FW; STIBP disabled; RSB filling; PBRSB-eIBRS Not affected; BHI Not affected Vulnerability Srbds: Not affected Vulnerability Tsx async abort: Not affected Flags: fpu vme de pse tsc msr pae mce cx8 apic sep mtrr pge mca cmov pat pse36 clflush mmx fxsr sse sse2 syscall nx mmxext fxsr_opt pdpe1gb rdtscp lm rep_good nopl cpuid extd_apicid tsc_known_freq pni pclmulqdq ssse3 fma cx16 pcid sse4_1 sse4_2 x2apic movbe popcnt tsc_deadline_timer aes xsave avx f16c rdrand hypervisor lahf_lm cmp_legacy svm cr8_legacy abm sse4a misalignsse 3dnowprefetch osvw perfctr_core ssbd ibrs ibpb stibp vmmcall fsgsbase tsc_ad just bmi1 avx2 smep bmi2 erms invpcid rdseed adx smap clflushopt clwb sha_ni xsaveopt xsavec xgetbv1 xsaves clzero xsaveerptr wbnoinvd arat npt nrip_save umip pku ospke vaes vpclmulqdq rdpid fsrm arch_capabilities Versions of relevant libraries: [pip3] flake8==7.1.1 [pip3] mypy-extensions==1.0.0 [pip3] numpy==1.26.4 [pip3] nvidia-cublas-cu12==12.6.4.1 [pip3] nvidia-cuda-cupti-cu12==12.6.80 [pip3] nvidia-cuda-nvrtc-cu12==12.6.77 [pip3] nvidia-cuda-runtime-cu12==12.6.77 [pip3] nvidia-cudnn-cu12==9.5.1.17 [pip3] nvidia-cufft-cu12==11.3.0.4 [pip3] nvidia-curand-cu12==10.3.7.77 [pip3] nvidia-cusolver-cu12==11.7.1.2 [pip3] nvidia-cusparse-cu12==12.5.4.2 [pip3] nvidia-cusparselt-cu12==0.6.3 [pip3] nvidia-dlprof-pytorch-nvtx==1.8.0 [pip3] nvidia-nccl-cu12==2.21.5 [pip3] nvidia-nvjitlink-cu12==12.6.85 [pip3] nvidia-nvtx-cu12==12.6.77 [pip3] onnx==1.17.0 [pip3] pytorch-ignite==0.5.0.post2 [pip3] pytorch-lightning==2.4.0 [pip3] pytorch-triton==3.2.0+git35c6c7c6 [pip3] torch==2.6.0.dev20241211+cu126 [pip3] torch-stoi==0.2.3 [pip3] torchaudio==2.5.0.dev20241211+cu126 [pip3] torchcde==0.2.5 [pip3] torchcfm==1.0.6 [pip3] torchdiffeq==0.2.0 [pip3] torchdyn==1.0.6 [pip3] torchmetrics==1.5.2 [pip3] torchsde==0.2.6 [pip3] torchvision==0.20.0.dev20241211+cu126 [pip3] triton==3.1.0 [conda] blas 1.0 mkl conda-forge [conda] cuda-cudart 12.1.105 0 nvidia [conda] cuda-cupti 12.1.105 0 nvidia [conda] cuda-libraries 12.1.0 0 nvidia [conda] cuda-nvrtc 12.1.105 0 nvidia [conda] cuda-nvtx 12.1.105 0 nvidia [conda] cuda-opencl 12.6.77 0 nvidia [conda] cuda-runtime 12.1.0 0 nvidia [conda] libblas 3.9.0 16_linux64_mkl conda-forge [conda] libcblas 3.9.0 16_linux64_mkl conda-forge [conda] libcublas 12.1.0.26 0 nvidia [conda] libcufft 11.0.2.4 0 nvidia [conda] libcurand 10.3.7.77 0 nvidia [conda] libcusolver 11.4.4.55 0 nvidia [conda] libcusparse 12.0.2.55 0 nvidia [conda] liblapack 3.9.0 16_linux64_mkl conda-forge [conda] libnvjitlink 12.1.105 0 nvidia [conda] libopenvino-pytorch-frontend 2024.3.0 he02047a_0 conda-forge [conda] mkl 2022.1.0 hc2b9512_224 [conda] numpy 1.26.4 py311h64a7726_0 conda-forge [conda] nvidia-cublas-cu12 12.6.4.1 pypi_0 pypi [conda] nvidia-cuda-cupti-cu12 12.6.80 pypi_0 pypi [conda] nvidia-cuda-nvrtc-cu12 12.6.77 pypi_0 pypi [conda] nvidia-cuda-runtime-cu12 12.6.77 pypi_0 pypi [conda] nvidia-cudnn-cu12 9.5.1.17 pypi_0 pypi [conda] nvidia-cufft-cu12 11.3.0.4 pypi_0 pypi [conda] nvidia-curand-cu12 10.3.7.77 pypi_0 pypi [conda] nvidia-cusolver-cu12 11.7.1.2 pypi_0 pypi [conda] nvidia-cusparse-cu12 12.5.4.2 pypi_0 pypi [conda] nvidia-cusparselt-cu12 0.6.3 pypi_0 pypi [conda] nvidia-dlprof-pytorch-nvtx 1.8.0 pypi_0 pypi [conda] nvidia-nccl-cu12 2.21.5 pypi_0 pypi [conda] nvidia-nvjitlink-cu12 12.6.85 pypi_0 pypi [conda] nvidia-nvtx-cu12 12.6.77 pypi_0 pypi [conda] pytorch-cuda 12.1 ha16c6d3_6 pytorch [conda] pytorch-ignite 0.5.0.post2 pypi_0 pypi [conda] pytorch-lightning 2.4.0 pyhd8ed1ab_0 conda-forge [conda] pytorch-mutex 1.0 cuda pytorch [conda] pytorch-triton 3.2.0+git35c6c7c6 pypi_0 pypi [conda] torch 2.6.0.dev20241211+cu126 pypi_0 pypi [conda] torch-stoi 0.2.3 pypi_0 pypi [conda] torchaudio 2.5.0.dev20241211+cu126 pypi_0 pypi [conda] torchcde 0.2.5 pypi_0 pypi [conda] torchcfm 1.0.6 pypi_0 pypi [conda] torchdiffeq 0.2.0 pypi_0 pypi [conda] torchdyn 1.0.6 pypi_0 pypi [conda] torchmetrics 1.5.2 pyhe5570ce_0 conda-forge [conda] torchsde 0.2.6 pypi_0 pypi [conda] torchtriton 3.1.0 py311 pytorch [conda] torchvision 0.20.0.dev20241211+cu126 pypi_0 pypi ``` cc @chauhang @penguinwu @zou3519 @ydwu4 @bdhirsh @yf225 @Chillee @drisspg @yanboliang @BoyuanFeng
triaged,oncall: pt2,module: higher order operators,module: pt2-dispatcher,module: flex attention
low
Critical
2,759,147,668
PowerToys
the software cannot be opened.
### Microsoft PowerToys version 0.87.1 ### Installation method Other (please specify in "Steps to Reproduce") ### Running as admin Yes ### Area(s) with issue? General ### Steps to reproduce I am using Scoop to install, but the software cannot be opened. It can still be displayed in the status.Even using an administrator to open it doesn't work ### โœ”๏ธ Expected Behavior _No response_ ### โŒ Actual Behavior _No response_ ### Other Software _No response_
Issue-Bug,Needs-Triage,Needs-Team-Response
low
Minor
2,759,160,472
ollama
glm-edge-v-5b-gguf:Q6_K blk.0.attn_qkv.weight
PS C:\Users\Administrator> ollama run modelscope.cn/ZhipuAI/glm-edge-v-5b-gguf:Q6_K Error: llama runner process has terminated: error loading model: missing tensor 'blk.0.attn_qkv.weight'****
model request
low
Critical
2,759,161,102
rust
rustdoc: ICE: Cannot turn `UnevaluatedConst` into `AliasTy` when synthesizing auto trait impls
### Affected release channels - [ ] Previous Stable - [ ] Current Stable - [ ] Current Beta - [x] Current Nightly ### Rust Version ```Shell $ rustc --version --verbose rustc 1.85.0-nightly (409998c4e 2024-12-24) binary: rustc commit-hash: 409998c4e8cae45344fd434b358b697cc93870d0 commit-date: 2024-12-24 host: x86_64-unknown-linux-gnu release: 1.85.0-nightly LLVM version: 19.1.6 ``` ### Current error output ```Shell thread 'rustc' panicked at /rustc/409998c4e8cae45344fd434b358b697cc93870d0/compiler/rustc_type_ir/src/predicate.rs:532:17: Cannot turn `UnevaluatedConst` into `AliasTy` stack backtrace: 0: 0x70b15b517ce5 - std::backtrace::Backtrace::create::hf812a409703b1040 1: 0x70b159aa5a15 - std::backtrace::Backtrace::force_capture::h337865a52d86378d 2: 0x70b158c28e2e - std[414f5e51836a5eb3]::panicking::update_hook::<alloc[13c93d87da526635]::boxed::Box<rustc_driver_impl[eca950f79a9af99a]::install_ice_hook::{closure#0}>>::{closure#0} 3: 0x70b159abd988 - std::panicking::rust_panic_with_hook::hed82fa161e5d609f 4: 0x70b159abd646 - std::panicking::begin_panic_handler::{{closure}}::he20c607c9af2a417 5: 0x70b159abb2d9 - std::sys::backtrace::__rust_end_short_backtrace::h916664e470597950 6: 0x70b159abd33d - rust_begin_unwind 7: 0x70b15679a3b0 - core::panicking::panic_fmt::h79463041cd375e0d 8: 0x5a581dd0518c - rustdoc[a07283fe33c1a0a8]::clean::clean_predicate 9: 0x5a581dd0aa26 - rustdoc[a07283fe33c1a0a8]::clean::clean_ty_generics 10: 0x5a581dcfd19e - rustdoc[a07283fe33c1a0a8]::clean::utils::synthesize_auto_trait_and_blanket_impls 11: 0x5a581de37c2c - <rustdoc[a07283fe33c1a0a8]::passes::collect_trait_impls::SyntheticImplCollector as rustdoc[a07283fe33c1a0a8]::visit::DocVisitor>::visit_item 12: 0x5a581de37d8a - <rustdoc[a07283fe33c1a0a8]::passes::collect_trait_impls::SyntheticImplCollector as rustdoc[a07283fe33c1a0a8]::visit::DocVisitor>::visit_item 13: 0x5a581de37d8a - <rustdoc[a07283fe33c1a0a8]::passes::collect_trait_impls::SyntheticImplCollector as rustdoc[a07283fe33c1a0a8]::visit::DocVisitor>::visit_item 14: 0x5a581de34414 - rustdoc[a07283fe33c1a0a8]::passes::collect_trait_impls::collect_trait_impls 15: 0x5a581dd2fa38 - rustdoc[a07283fe33c1a0a8]::core::run_global_ctxt 16: 0x5a581dbddb5e - rustc_interface[c6732610254ef852]::passes::create_and_enter_global_ctxt::<(), rustdoc[a07283fe33c1a0a8]::main_args::{closure#2}::{closure#0}>::{closure#2}::{closure#0} 17: 0x5a581dbeb449 - <rustc_interface[c6732610254ef852]::passes::create_and_enter_global_ctxt<(), rustdoc[a07283fe33c1a0a8]::main_args::{closure#2}::{closure#0}>::{closure#2} as core[3bb849e6baf5fd92]::ops::function::FnOnce<(&rustc_session[ffc7f553f070d4e4]::session::Session, rustc_middle[995178121f49996]::ty::context::CurrentGcx, &std[414f5e51836a5eb3]::sync::once_lock::OnceLock<rustc_middle[995178121f49996]::ty::context::GlobalCtxt>, &rustc_data_structures[ce73ec690cecbb88]::sync::worker_local::WorkerLocal<rustc_middle[995178121f49996]::arena::Arena>, &rustc_data_structures[ce73ec690cecbb88]::sync::worker_local::WorkerLocal<rustc_hir[3757cb245ac16ec5]::Arena>, rustdoc[a07283fe33c1a0a8]::main_args::{closure#2}::{closure#0})>>::call_once::{shim:vtable#0} 18: 0x5a581dbd73c8 - rustc_interface[c6732610254ef852]::interface::run_compiler::<(), rustdoc[a07283fe33c1a0a8]::main_args::{closure#2}>::{closure#1} 19: 0x5a581db5bc49 - std[414f5e51836a5eb3]::sys::backtrace::__rust_begin_short_backtrace::<rustc_interface[c6732610254ef852]::util::run_in_thread_with_globals<rustc_interface[c6732610254ef852]::util::run_in_thread_pool_with_globals<rustc_interface[c6732610254ef852]::interface::run_compiler<(), rustdoc[a07283fe33c1a0a8]::main_args::{closure#2}>::{closure#1}, ()>::{closure#0}, ()>::{closure#0}::{closure#0}, ()> 20: 0x5a581dbe738e - <<std[414f5e51836a5eb3]::thread::Builder>::spawn_unchecked_<rustc_interface[c6732610254ef852]::util::run_in_thread_with_globals<rustc_interface[c6732610254ef852]::util::run_in_thread_pool_with_globals<rustc_interface[c6732610254ef852]::interface::run_compiler<(), rustdoc[a07283fe33c1a0a8]::main_args::{closure#2}>::{closure#1}, ()>::{closure#0}, ()>::{closure#0}::{closure#0}, ()>::{closure#1} as core[3bb849e6baf5fd92]::ops::function::FnOnce<()>>::call_once::{shim:vtable#0} 21: 0x70b15b04f3af - std::sys::pal::unix::thread::Thread::new::thread_start::hbd4482c1e0b8221a 22: 0x70b1554a339d - <unknown> 23: 0x70b15552849c - <unknown> 24: 0x0 - <unknown> rustc version: 1.85.0-nightly (409998c4e 2024-12-24) platform: x86_64-unknown-linux-gnu query stack during panic: end of query stack ``` ### Backtrace ```Shell $ cargo docs-rs Documenting option_trait v1.0.6 (/home/sigurd/Code/rust/sss/option_trait) warning: the feature `specialization` is incomplete and may not be safe to use and/or cause compiler crashes --> option_trait/src/lib.rs:14:12 | 14 | #![feature(specialization)] | ^^^^^^^^^^^^^^ | = note: see issue #31844 <https://github.com/rust-lang/rust/issues/31844> for more information = help: consider using `min_specialization` instead, which is more stable and complete = note: `#[warn(incomplete_features)]` on by default warning: the feature `generic_const_exprs` is incomplete and may not be safe to use and/or cause compiler crashes --> option_trait/src/lib.rs:15:12 | 15 | #![feature(generic_const_exprs)] | ^^^^^^^^^^^^^^^^^^^ | = note: see issue #76560 <https://github.com/rust-lang/rust/issues/76560> for more information thread 'rustc' panicked at /rustc/409998c4e8cae45344fd434b358b697cc93870d0/compiler/rustc_type_ir/src/predicate.rs:532:17: Cannot turn `UnevaluatedConst` into `AliasTy` stack backtrace: 0: 0x7419a16bae3a - <std::sys::backtrace::BacktraceLock::print::DisplayBacktrace as core::fmt::Display>::fmt::h80cfa1530c2694c1 1: 0x7419a1e138a6 - core::fmt::write::h3039031fbbd12aba 2: 0x7419a2d66891 - std::io::Write::write_fmt::hc1db23927ce1b8c5 3: 0x7419a16bac92 - std::sys::backtrace::BacktraceLock::print::heb1afe01e589bc80 4: 0x7419a16bd18a - std::panicking::default_hook::{{closure}}::h32ec7a671b90f2d3 5: 0x7419a16bcfd3 - std::panicking::default_hook::he9daa37af576e716 6: 0x7419a08286c8 - std[414f5e51836a5eb3]::panicking::update_hook::<alloc[13c93d87da526635]::boxed::Box<rustc_driver_impl[eca950f79a9af99a]::install_ice_hook::{closure#0}>>::{closure#0} 7: 0x7419a16bd988 - std::panicking::rust_panic_with_hook::hed82fa161e5d609f 8: 0x7419a16bd646 - std::panicking::begin_panic_handler::{{closure}}::he20c607c9af2a417 9: 0x7419a16bb2d9 - std::sys::backtrace::__rust_end_short_backtrace::h916664e470597950 10: 0x7419a16bd33d - rust_begin_unwind 11: 0x74199e39a3b0 - core::panicking::panic_fmt::h79463041cd375e0d 12: 0x6005c5c0a18c - rustdoc[a07283fe33c1a0a8]::clean::clean_predicate 13: 0x6005c5c0fa26 - rustdoc[a07283fe33c1a0a8]::clean::clean_ty_generics 14: 0x6005c5c0219e - rustdoc[a07283fe33c1a0a8]::clean::utils::synthesize_auto_trait_and_blanket_impls 15: 0x6005c5d3cc2c - <rustdoc[a07283fe33c1a0a8]::passes::collect_trait_impls::SyntheticImplCollector as rustdoc[a07283fe33c1a0a8]::visit::DocVisitor>::visit_item 16: 0x6005c5d3cd8a - <rustdoc[a07283fe33c1a0a8]::passes::collect_trait_impls::SyntheticImplCollector as rustdoc[a07283fe33c1a0a8]::visit::DocVisitor>::visit_item 17: 0x6005c5d3cd8a - <rustdoc[a07283fe33c1a0a8]::passes::collect_trait_impls::SyntheticImplCollector as rustdoc[a07283fe33c1a0a8]::visit::DocVisitor>::visit_item 18: 0x6005c5d39414 - rustdoc[a07283fe33c1a0a8]::passes::collect_trait_impls::collect_trait_impls 19: 0x6005c5c34a38 - rustdoc[a07283fe33c1a0a8]::core::run_global_ctxt 20: 0x6005c5ae2b5e - rustc_interface[c6732610254ef852]::passes::create_and_enter_global_ctxt::<(), rustdoc[a07283fe33c1a0a8]::main_args::{closure#2}::{closure#0}>::{closure#2}::{closure#0} 21: 0x6005c5af0449 - <rustc_interface[c6732610254ef852]::passes::create_and_enter_global_ctxt<(), rustdoc[a07283fe33c1a0a8]::main_args::{closure#2}::{closure#0}>::{closure#2} as core[3bb849e6baf5fd92]::ops::function::FnOnce<(&rustc_session[ffc7f553f070d4e4]::session::Session, rustc_middle[995178121f49996]::ty::context::CurrentGcx, &std[414f5e51836a5eb3]::sync::once_lock::OnceLock<rustc_middle[995178121f49996]::ty::context::GlobalCtxt>, &rustc_data_structures[ce73ec690cecbb88]::sync::worker_local::WorkerLocal<rustc_middle[995178121f49996]::arena::Arena>, &rustc_data_structures[ce73ec690cecbb88]::sync::worker_local::WorkerLocal<rustc_hir[3757cb245ac16ec5]::Arena>, rustdoc[a07283fe33c1a0a8]::main_args::{closure#2}::{closure#0})>>::call_once::{shim:vtable#0} 22: 0x6005c5adc3c8 - rustc_interface[c6732610254ef852]::interface::run_compiler::<(), rustdoc[a07283fe33c1a0a8]::main_args::{closure#2}>::{closure#1} 23: 0x6005c5a60c49 - std[414f5e51836a5eb3]::sys::backtrace::__rust_begin_short_backtrace::<rustc_interface[c6732610254ef852]::util::run_in_thread_with_globals<rustc_interface[c6732610254ef852]::util::run_in_thread_pool_with_globals<rustc_interface[c6732610254ef852]::interface::run_compiler<(), rustdoc[a07283fe33c1a0a8]::main_args::{closure#2}>::{closure#1}, ()>::{closure#0}, ()>::{closure#0}::{closure#0}, ()> 24: 0x6005c5aec38e - <<std[414f5e51836a5eb3]::thread::Builder>::spawn_unchecked_<rustc_interface[c6732610254ef852]::util::run_in_thread_with_globals<rustc_interface[c6732610254ef852]::util::run_in_thread_pool_with_globals<rustc_interface[c6732610254ef852]::interface::run_compiler<(), rustdoc[a07283fe33c1a0a8]::main_args::{closure#2}>::{closure#1}, ()>::{closure#0}, ()>::{closure#0}::{closure#0}, ()>::{closure#1} as core[3bb849e6baf5fd92]::ops::function::FnOnce<()>>::call_once::{shim:vtable#0} 25: 0x7419a2c4f3af - std::sys::pal::unix::thread::Thread::new::thread_start::hbd4482c1e0b8221a 26: 0x74199d0a339d - <unknown> 27: 0x74199d12849c - <unknown> 28: 0x0 - <unknown> error: the compiler unexpectedly panicked. this is a bug. note: using internal features is not supported and expected to cause internal compiler errors when used incorrectly note: please attach the file at `/home/sigurd/Code/rust/sss/rustc-ice-2024-12-26T01_23_44-881333.txt` to your bug report note: compiler flags: --crate-type lib -Z unstable-options -Z unstable-options note: some of the compiler flags provided by cargo are hidden query stack during panic: end of query stack warning: `option_trait` (lib doc) generated 2 warnings error: could not document `option_trait` ``` ### Anything else? Initially reported on: https://github.com/rust-lang/docs.rs/issues/2698#issuecomment-2560661255 This ICE only appears when i run `cargo docs-rs` (with the `cargo-docs-rs` plugin installed) and when the crate is uploaded to docs.rs. I have a feature that enables the module in question, and disabling this feature makes it build with docs.rs successfully. It only happens when the file `opt_cell.rs` exists, is included as a module and includes a struct definition. Even if the entire contents of the file `opt_cell.rs` is replaced with the following line, the error still occurs, but if the file is empty, it doesn't. ```rust struct Whatever(u32); ``` I'm not entirely sure what in my project is causing this, but it's definitely something more than just that single file, that together causes the error. Declaring a struct like above in a new project does not produce the error. It's kind of hard to figure out what part of my code that causes this error. See my previous report on this error for more information about things i've tried to isolate the error (and failed). It compiles fine with `cargo build --all-features` and it compiles fine with `cargo docs-rs`, but not `cargo docs-rs` when all features are enabled in the Cargo.toml. Build that showcases the error on docs.rs: https://docs.rs/crate/option_trait/1.0.4/source/ Crate repo: https://www.github.com/sigurd4/option_trait I've removed all type aliases in my crate, and the error still occurs.
T-rustdoc,I-ICE,C-bug,A-synthetic-impls,requires-nightly,A-auto-traits,S-has-mcve,F-associated_const_equality
low
Critical
2,759,218,166
flutter
Flutter 3.27.x Platform Views freezes or crashes on Android 10
### Steps to reproduce It works fine on the Android 10 emulator, but there are bugs on two physical Android 10 devices (Mi 8). I tried disabling Impeller, but the problem still exists. When I rolled back to version 3.24.5, everything worked fine again. 1. The app starts normally. 2. Open the WebView page within the app. 3. Navigate to another page within the WebView, and then return to the WebView page; the page becomes unresponsive or crashes. ### Expected results The WebView page can interact and display normally. ### Actual results The WebView page freezes or crashes when returning. ### Code sample <details open><summary>Code sample</summary> ```dart import 'package:flutter/material.dart'; import 'package:webview_flutter/webview_flutter.dart'; import 'second_page.dart'; class WebPage extends StatefulWidget { @override State<StatefulWidget> createState() => _WebPageState(); } class _WebPageState extends State<WebPage> { final controller = WebViewController() ..setJavaScriptMode(JavaScriptMode.unrestricted) ..loadRequest(Uri.parse('https://github.com/')); @override void initState() { super.initState(); controller.platform.setOnScrollPositionChange((position) { print('AAAAAA${position.x}_${position.y}'); }); } @override Widget build(BuildContext context) { return Scaffold( appBar: AppBar( title: Text('WebPage'), ), body: WebViewWidget(controller: controller), floatingActionButton: FloatingActionButton( onPressed: () { Navigator.push(context, MaterialPageRoute(builder: (context) => const SecondPage())); }, tooltip: 'Increment', child: const Icon(Icons.add), ), ); } } ``` </details> [Reproduce the demo](https://github.com/lhlhlh111000/flutter_widget) ### Screenshots or Video <details open> <summary>Screenshots / Video demonstration</summary> https://github.com/lhlhlh111000/flutter_widget/blob/main/Screenrecorder-2024-12-26-10-46-01-638.mp4 </details> ### Logs <details open><summary>Logs</summary> ```console OpenGLRenderer com.example.widget_test W dequeueBuffer failed, error = -110; switching to fallback 2024-12-25 13:37:52.617 18237-18237 Choreographer com.example.widget_test I Skipped 61 frames! The application may be doing too much work on its main thread. 2024-12-25 13:37:52.625 18237-18273 OpenGLRenderer com.example.widget_test W reserveNext failed, error = -2147483648 (Unknown error -2147483648) 2024-12-25 13:37:52.628 18237-18273 OpenGLRenderer com.example.widget_test I Davey! duration=1028ms; Flags=0, IntendedVsync=122796470637814, Vsync=122797487304440, ``` ```console2 W/OpenGLRenderer (14239): dequeueBuffer failed, error = -110; switching to fallback I/OpenGLRenderer (14239): Davey! duration=4517ms; Flags=2, IntendedVsync=183046658448444, Vsync=183046658448444, OldestInputEvent=0, NewestInputEvent=0, HandleInputStart=183046658448444, AnimationStart= 183046658448444, PerformTraversalsStart=183046658448444, DrawStart=183046658448444, SyncQueued=183046674544441, SyncStart=183046674547410, IssueDrawCommandsStart=183046674593295, SwapBuffers=1830511746 11262, FrameCompleted=183051175909075, DequeueBufferDuration=0, QueueBufferDuration=0, F/crash_dump64(15521): crash_dump.cpp:465] failed to attach to thread 561: Permission denied w/OpenGLRenderer (14239): dequeueBuffer failed, error = -110; switching to fallback E/AN_LOG (14239): >>> msg's executing time is too long E/ ANR_LOG (14239): Blocked msg = { when=-16516ms what=0 target=android.view.Choreographer$FrameHandler callback=android.view.Choreographer$FrameDisplayEventReceiver }, cost = 8460 ms E/ANR_LOG (14239): >>>Current msg List is: E/ANR_LOG (14239) : Current msg <1> = { when=-16514ms what=0 target=com-google.android.gms.internal.tasks.zza callback=com.google.android.gms.tasks-zzi } E/ANR LOG (14239) : Current msg <2> = { when=-16s509ms what=0 target=android.os.Handler callback=io.flutter.embedding.engine.dart.DartMessenger$$ExternalSyntheticLambda0 E/AN_LOG (14239) : Current msg <3> = { when=-16508ms what=0 targeteandroid. 05. Handler callback-10.Flutter. embedding-engine. dart.DartMessengerSSExternalSyntheticLambdal E/ANR_LOG (14239): Current msg <4> = { when=-16s508ms what=0 target=com.google.android.gms.internal.tasks.zza callback=com.google.android.gms.tasks.zzi } E/ANR_LOG (14239): Current msg <5> = { when=-16s25ms what=0 target=android.os.Handler callback=cn.thinkingdata.analytics.utils.p$c ) E/ANR LOG (14239): Current msg <6> { when=-13525ms what=0 target-android.os.Handler callback=lo.flutter-plugins-webviewflutter.AndroidWebkitLibraryPigeonInstanceManager$$ExternalSyntheticLambda3 } E/ANR LOG (14239): Current msg <7> & when=-13525ms what=0 target=android.os.Handler callback=lo.flutter.plugins.webviewflutter.AndroidWebkitLibraryPigeonInstanceManager$SExternalSyntheticLambda3 โ€บ E/ANR_LOG (14239): Current msg <8> { when=-12s489ms what=2 target=android.app.job.JobServiceEngineSJobHandler obj=android.app.job.JobParameters@848c708 } E/ANR_LOG (14239): Current msg <9> = { when=-12119ms what=0 target=android.os.Handler callback=com.android.billingclient.api.zzn } E/ANR_LOG (14239): Current msg <10> = { when=-12116ms what=0 target=android.os.Handler callback=com.android.billingclient.api.zzn / E/ANR_LOG (14239): >>>CURRENT MSG DUMP OVER<<< I/OpenGLRenderer (14239): Davey! duration=12509ms; Flags=0, IntendedVsync=183038674868385, Vsync=183046724868063, OldestInputEvent=9223372036854775807, NewestInputEvent=0, HandleInputStart=1830467309152 23, AnimationStart=183046730946681, PerformTraversalsStart=183046733234650, DrawStart=183046733312931, SyncQueued=183051178193762, SyncStart=183055190609073, IssueDraw/CommandsStart=183055190819230, Swa pBuffers=183055193145063, FrameCompleted=183055196825688, DequeueBufferDuration=796000, QueueBufferDuration=1686000, I/Choreographer (14239): Skipped 509 frames! The application may be doing too much work on its main thread. W/OpenGLRenderer (14239): dequeueBuffer failed, error = -110; switching to fallback I/OpenGLRenderer (14239): Davey! duration=4009ms; Flags=2, IntendedVsync=183055192375637, Vsync=183055192375637, OldestInputEvent=0, NewestInputEvent=0, HandleInputStart=183055192375637, AnimationStart= 183055192375637, PerformTraversalsStart=183055192375637, DrawStart=183055192375637, SyncQueued=183055197555271, SyncStart=183055197558657, IssueDrawCommandsStart=183055197602407, SwapBuffers=1830592010 72822, FrameCompleted=183059201600478, DequeueBufferDuration=0, QueueBufferDuration=0, Lost connection to ``` </details> ### Flutter Doctor output <details open><summary>Doctor output</summary> ```console [โœ“] Flutter (Channel stable, 3.27.1, on macOS 14.6.1 23G93 darwin-arm64, locale zh-Hans-CN) โ€ข Flutter version 3.27.1 on channel stable at /Users/a1/fvm/versions/3.27.1 โ€ข Upstream repository https://github.com/flutter/flutter.git โ€ข Framework revision 17025dd882 (9 days ago), 2024-12-17 03:23:09 +0900 โ€ข Engine revision cb4b5fff73 โ€ข Dart version 3.6.0 โ€ข DevTools version 2.40.2 [!] Android toolchain - develop for Android devices (Android SDK version 35.0.0) โ€ข Android SDK at /Users/a1/Library/Android/sdk โœ— cmdline-tools component is missing Run `path/to/sdkmanager --install "cmdline-tools;latest"` See https://developer.android.com/studio/command-line for more details. โœ— Android license status unknown. Run `flutter doctor --android-licenses` to accept the SDK licenses. See https://flutter.dev/to/macos-android-setup for more details. [โœ“] Xcode - develop for iOS and macOS (Xcode 15.4) โ€ข Xcode at /Applications/Xcode.app/Contents/Developer โ€ข Build 15F31d โ€ข CocoaPods version 1.16.2 [โœ“] Chrome - develop for the web โ€ข Chrome at /Applications/Google Chrome.app/Contents/MacOS/Google Chrome [โœ“] Android Studio (version 2024.1) โ€ข Android Studio at /Applications/Android Studio.app/Contents โ€ข Flutter plugin can be installed from: ๐Ÿ”จ https://plugins.jetbrains.com/plugin/9212-flutter โ€ข Dart plugin can be installed from: ๐Ÿ”จ https://plugins.jetbrains.com/plugin/6351-dart โ€ข Java version OpenJDK Runtime Environment (build 17.0.10+0-17.0.10b1087.21-11609105) [!] Proxy Configuration โ€ข HTTP_PROXY is set ! NO_PROXY is not set [โœ“] Connected device (4 available) โ€ข MI 8 (mobile) โ€ข 39f98a6e โ€ข android-arm64 โ€ข Android 10 (API 29) โ€ข macOS (desktop) โ€ข macos โ€ข darwin-arm64 โ€ข macOS 14.6.1 23G93 darwin-arm64 โ€ข Mac Designed for iPad (desktop) โ€ข mac-designed-for-ipad โ€ข darwin โ€ข macOS 14.6.1 23G93 darwin-arm64 โ€ข Chrome (web) โ€ข chrome โ€ข web-javascript โ€ข Google Chrome 131.0.6778.205 [โœ“] Network resources โ€ข All expected network resources are available. ! Doctor found issues in 2 categories. ``` </details>
c: regression,c: crash,platform-android,a: platform-views,e: OS-version specific,P2,c: fatal crash,fyi-android,team-engine,triaged-engine
low
Critical
2,759,240,548
rust
Terse parse error on `ident @ pat` in destructuring assignment
Consider the following slice pattern: ```rust let arr = [1, 2, 3, 4]; let [a, b, rest @ ..] = arr; dbg!(a, b, rest); // [src/main.rs:4:5] a = 1 // [src/main.rs:4:5] b = 2 // [src/main.rs:4:5] rest = [ // 3, // 4, // ] ``` Now, consider the following *destructuring assignment* with a slice pattern, including a "rest" pattern: ```rust let (c, d); [c, .., d] = [1, 2, 3, 4]; dbg!(c, d); // [src/main.rs:13:1] c = 1 // [src/main.rs:13:1] d = 4 ``` Now, consider the following *destructuring assignment with a slice pattern, again* in this [Playground](https://play.rust-lang.org/?version=stable&mode=debug&edition=2021&gist=769bd6227ab07ee809c2f93f31f4e026): ```rust let e; let rest; let f; [e, rest @ .., f] = [1, 2, 3, 4]; dbg!(e, rest, f); /* error: expected one of `!`, `,`, `.`, `::`, `?`, `]`, `{`, or an operator, found `@` --> src/main.rs:19:10 | 19 | [e, rest @ .., f] = [1, 2, 3, 4]; | ^ expected one of 8 possible tokens error: expected one of `!`, `#`, `(`, `,`, `.`, `::`, `;`, `?`, `[`, `]`, `_`, `async`, `become`, `break`, `continue`, `for`, `if`, `let`, `loop`, `match`, `move`, `return`, `static`, `unsafe`, `while`, `yield`, `{`, `|`, `||`, `}`, an operator, or path, found `@` --> src/main.rs:19:10 | 19 | [e, rest @ .., f] = [1, 2, 3, 4]; | ^ expected one of 32 possible tokens */ ``` ...that wasn't really what I expected! But then, I don't know what I did expect, honestly. It's possible this is "just" a diagnostic issue, but this is one of the somewhat sharper inconsistencies to discover here. I suspect gating this during *parsing* is not the correct thing to do here, even if we want to error on it. @rustbot label: +C-bug +T-compiler +T-lang +D-confusing +A-parser +A-slice-patterns
A-diagnostics,A-parser,T-compiler,D-terse,A-patterns
low
Critical
2,759,261,866
godot
Audio played from an animation player doesn't stop when switching scenes in a web export
### Tested versions - Reproducible in 4.3.stable, 4.4.dev7 - Not reproducible in 4.2.2.stable ### System information Godot v4.3.stable (77dcf97d8) - Windows 10.0.19045 - GLES3 (Compatibility) - NVIDIA GeForce GTX 1050 Ti (NVIDIA; 32.0.15.6614) - Intel(R) Core(TM) i5-8400 CPU @ 2.80GHz (6 Threads) ### Issue description If you play audio from an audio track in an animation, and switch the scene while the audio is still playing, only in a web export, the audio won't stop playing, and will play until the end of the audio stream. It's supposed to be stopped when the scene is switched. ### Steps to reproduce In the minimal reproduction project, use the remote debug button to run the project in the browser. The audio should start playing, click the button to switch to another scene. Also, if the project is launched normally (not in a web browser), everything works as intended. ### Minimal reproduction project (MRP) [audio-bug-mrp.zip](https://github.com/user-attachments/files/18249552/audio-bug-mrp.zip)
bug,platform:web,topic:audio,regression,topic:animation
low
Critical
2,759,281,813
PowerToys
Algo a salido mal
### Microsoft PowerToys version 0.87.1.0 ### Installation method Microsoft Store ### Running as admin No ### Area(s) with issue? General ### Steps to reproduce Version: 0.87.1.0 OS Version: Microsoft Windows NT 10.0.22631.0 IntPtr Length: 8 x64: True Date: 26/12/2024 5:01:38 Exception: System.InvalidCastException: Unable to cast object of type 'System.Int32' to type 'System.String'. at PowerLauncher.Helper.ThemeExtensions.GetHighContrastBaseType() at PowerLauncher.Helper.ThemeManager.UpdateTheme() at PowerLauncher.Helper.ThemeManager..ctor(PowerToysRunSettings settings, MainWindow mainWindow) at PowerLauncher.App.<>c__DisplayClass20_0.<OnStartup>b__0() at Wox.Infrastructure.Stopwatch.Normal(String message, Action action) at PowerLauncher.App.OnStartup(Object sender, StartupEventArgs e) at System.Windows.Application.<.ctor>b__1_0(Object unused) at System.Windows.Threading.ExceptionWrapper.InternalRealCall(Delegate callback, Object args, Int32 numArgs) at System.Windows.Threading.ExceptionWrapper.TryCatchWhen(Object source, Delegate callback, Object args, Int32 numArgs, Delegate catchHandler) ### โœ”๏ธ Expected Behavior _No response_ ### โŒ Actual Behavior _No response_ ### Other Software _No response_
Issue-Bug,Product-PowerToys Run,Needs-Triage
low
Minor
2,759,321,090
tauri
[bug] Calling `window.hide()` followed by `window.set_fullscreen(false)` doesn't do anything
### Describe the bug If I call `hide` on a window after calling `set_fullscreen(false)`, the window just exists full screen but it still visible. I need to call hide again, with a sleep for it to disappear. EDIT: Also, calling `hide` without exiting fullscreen first will hide the web view window but you'll still be in the new window created by MacOS - not sure if this is expected behavior. ### Reproduction ```rust hide_overlay(window: Window) { if let Some(fs_overlay) = window.get_webview_window("main") { fs_overlay.set_fullscreen(false).unwrap(); fs_overlay.hide().unwrap(); } else { println!("Overlay window not found"); } ``` ### Workaround ```rust hide_overlay(window: Window) { if let Some(fs_overlay) = window.get_webview_window("main") { fs_overlay.set_fullscreen(false).unwrap(); tokio::spawn(async move { tokio::time::sleep(Duration::from_millis(2000)).await; if let Some(fs_overlay) = window.get_webview_window("main") { fs_overlay.hide().unwrap(); } }); } else { println!("Overlay window not found"); } ``` ### Full `tauri info` output ```text โฏ pnpm tauri info > tauri "info" [โœ”] Environment - OS: Mac OS 13.6.4 x86_64 (X64) โœ” Xcode Command Line Tools: installed โœ” rustc: 1.82.0 (f6e511eec 2024-10-15) โœ” cargo: 1.82.0 (8f40fc59f 2024-08-21) โœ” rustup: 1.27.1 (54dd3d00f 2024-04-24) โœ” Rust toolchain: stable-x86_64-apple-darwin (default) - node: 23.1.0 - pnpm: 9.15.1 - yarn: 1.22.22 - npm: 10.9.0 [-] Packages - tauri ๐Ÿฆ€: 2.1.1 - tauri-build ๐Ÿฆ€: 2.0.3 - wry ๐Ÿฆ€: 0.47.2 - tao ๐Ÿฆ€: 0.30.8 - @tauri-apps/api ๎œ˜: 2.1.1 - @tauri-apps/cli ๎œ˜: 2.1.0 [-] Plugins [-] App - build-type: bundle - CSP: unset - frontendDist: ../dist - devUrl: http://localhost:1420/ - framework: React - bundler: Vite ``` ### Stack trace _No response_ ### Additional context _No response_
type: bug,status: needs triage
low
Critical
2,759,325,795
PowerToys
Remap combination of letters to to text
### Description of the new feature / enhancement A combination of letters would be used to send text instead of a single letter, for example, "hny" would send "Happy New Year!". If I chose only the letter "h" to send "Happy New Year", I would end up sending "Happy New Year" on a lot of unwanted occasions. I use a third party app (Beeftext) to remap the combination "dhm" to the text "[email protected]" as "dhm" is unlikely going to trigger the text if I don't want to. ### Scenario when this would be used? This feature is beneficial to prevent unwanted triggering of the Keyboard Manager. ### Supporting information _No response_
Needs-Triage
low
Minor
2,759,349,289
kubernetes
DRA: Pod termination is stuck when DRA Driver is stopped
### What happened? A status of Pod allocated some device remains as terminating when the DRA Driver is stopped. I don't know this is intentional or a bug. ### What did you expect to happen? A Pod is completely terminated. ### How can we reproduce it (as minimally and precisely as possible)? We can reproduce it using [dra-example-driver](https://github.com/kubernetes-sigs/dra-example-driver). ### Summary 1. Install the `DRA Driver`(dra-example-driver) and create a `DeviceClass`. 1. Create a `ResourceClaimTemplate`. 1. Deploy a Pod allocated some device via the `ResourceClaimTemplate`. 1. Stop the DRA Driver. 1. Delete the Pod. 1. The Pod remains as terminating. ### Procedure <details> Install the `DRA Driver` and create a `DeviceClass` by following [dra-example-driver demo](https://github.com/kubernetes-sigs/dra-example-driver?tab=readme-ov-file#demo). Create a `ResourceClaimTemplate`. `resource-claim-template-0.yaml` ```yaml apiVersion: resource.k8s.io/v1beta1 kind: ResourceClaimTemplate metadata: name: single-gpu spec: spec: devices: requests: - name: gpu deviceClassName: gpu.example.com ``` ```bash $ kubectl apply -f resource-claim-template-0.yaml ``` Deploy a Pod allocated some device via the `ResourceClaimTemplate`. `sample-pod-0.yaml` ```yaml apiVersion: v1 kind: Pod metadata: name: sample-pod-0 labels: app: sample-pod-0 spec: containers: - name: ctr0 image: ubuntu:22.04 command: ["bash", "-c"] args: ["export; trap 'exit 0' TERM; sleep 9999 & wait"] resources: claims: - name: gpu resourceClaims: - name: gpu resourceClaimTemplateName: single-gpu ``` ```bash $ kubectl apply -f sample-pod-0.yaml ``` The current status of cluster is as follows. ```bash $ kubectl get deviceclasses,resourceclaimtemplates,resourceclaim,pods NAME AGE deviceclass.resource.k8s.io/gpu.example.com 54m NAME AGE resourceclaimtemplate.resource.k8s.io/single-gpu 85s NAME STATE AGE resourceclaim.resource.k8s.io/sample-pod-0-gpu-hxsn7 allocated,reserved 77s NAME READY STATUS RESTARTS AGE pod/sample-pod-0 1/1 Running 0 77s ``` Stop the DRA Driver. In this case, we can uninstall the `dra-example-driver` via helm. ```bash $ helm -n dra-example-driver uninstall dra-example-driver ``` Delete the Pod and the status remains as terminating. ```bash $ kubectl delete po sample-pod-0 pod "sample-pod-0" deleted (stucking...) $ kubectl get pod NAME READY STATUS RESTARTS AGE sample-pod-0 0/1 Terminating 0 17m ``` </details> ### Anything else we need to know? The kubelet log shows the following error. ```bash # journalctl -xu kubelet ... Dec 26 05:35:41 kind-v1.32.0-worker kubelet[231]: I1226 05:35:41.323475 231 kubelet.go:2490] "SyncLoop DELETE" source="api" pods=["default/sample-pod-0"] Dec 26 05:35:41 kind-v1.32.0-worker kubelet[231]: I1226 05:35:41.323611 231 kuberuntime_container.go:809] "Killing container with a grace period" pod="default/sample-pod-0" podUID="5598e74f-08ff-40ab-aba3-fa811874f9dc" containerName="ctr0" containerID="containerd://f42f59f5684ff9be1a0ee57d70231456530e40e87e652ddf0b72c7639a544a05" gracePeriod=30 Dec 26 05:35:41 kind-v1.32.0-worker kubelet[231]: E1226 05:35:41.415637 231 pod_workers.go:1301] "Error syncing pod, skipping" err="get gRPC client for DRA driver gpu.example.com: plugin name gpu.example.com not found in the list of registered DRA plugins" pod="default/sample-pod-0" podUID="5598e74f-08ff-40ab-aba3-fa811874f9dc" Dec 26 05:35:42 kind-v1.32.0-worker kubelet[231]: I1226 05:35:42.032843 231 generic.go:358] "Generic (PLEG): container finished" podID="5598e74f-08ff-40ab-aba3-fa811874f9dc" containerID="f42f59f5684ff9be1a0ee57d70231456530e40e87e652ddf0b72c7639a544a05" exitCode=0 Dec 26 05:35:42 kind-v1.32.0-worker kubelet[231]: I1226 05:35:42.032885 231 kubelet.go:2506] "SyncLoop (PLEG): event for pod" pod="default/sample-pod-0" event={"ID":"5598e74f-08ff-40ab-aba3-fa811874f9dc","Type":"ContainerDied","Data":"f42f59f5684ff9be1a0ee57d70231456530e40e87e652ddf0b72c7639a544a05"} Dec 26 05:35:42 kind-v1.32.0-worker kubelet[231]: I1226 05:35:42.032901 231 kubelet.go:2506] "SyncLoop (PLEG): event for pod" pod="default/sample-pod-0" event={"ID":"5598e74f-08ff-40ab-aba3-fa811874f9dc","Type":"ContainerDied","Data":"220eab5b9bc2277f4ac7777dabb82a92bee9d3d17bfa42f92d204cb9d85c936d"} Dec 26 05:35:42 kind-v1.32.0-worker kubelet[231]: I1226 05:35:42.032907 231 pod_container_deletor.go:80] "Container not found in pod's containers" containerID="220eab5b9bc2277f4ac7777dabb82a92bee9d3d17bfa42f92d204cb9d85c936d" Dec 26 05:35:42 kind-v1.32.0-worker kubelet[231]: I1226 05:35:42.032934 231 util.go:48] "No ready sandbox for pod can be found. Need to start a new one" pod="default/sample-pod-0" Dec 26 05:35:42 kind-v1.32.0-worker kubelet[231]: E1226 05:35:42.044794 231 pod_workers.go:1301] "Error syncing pod, skipping" err="get gRPC client for DRA driver gpu.example.com: plugin name gpu.example.com not found in the list of registered DRA plugins" pod="default/sample-pod-0" podUID="5598e74f-08ff-40ab-aba3-fa811874f9dc" Dec 26 05:35:53 kind-v1.32.0-worker kubelet[231]: I1226 05:35:53.469847 231 util.go:48] "No ready sandbox for pod can be found. Need to start a new one" pod="default/sample-pod-0" Dec 26 05:35:53 kind-v1.32.0-worker kubelet[231]: E1226 05:35:53.482748 231 pod_workers.go:1301] "Error syncing pod, skipping" err="get gRPC client for DRA driver gpu.example.com: plugin name gpu.example.com not found in the list of registered DRA plugins" pod="default/sample-pod-0" podUID="5598e74f-08ff-40ab-aba3-fa811874f9dc" Dec 26 05:36:08 kind-v1.32.0-worker kubelet[231]: I1226 05:36:08.468746 231 util.go:48] "No ready sandbox for pod can be found. Need to start a new one" pod="default/sample-pod-0" Dec 26 05:36:08 kind-v1.32.0-worker kubelet[231]: E1226 05:36:08.480012 231 pod_workers.go:1301] "Error syncing pod, skipping" err="get gRPC client for DRA driver gpu.example.com: plugin name gpu.example.com not found in the list of registered DRA plugins" pod="default/sample-pod-0" podUID="5598e74f-08ff-40ab-aba3-fa811874f9dc" ``` ### Kubernetes version <details> ```console $ kubectl version Client Version: v1.32.0 Kustomize Version: v5.5.0 Server Version: v1.32.0 ``` </details> ### Cloud provider <details> none </details> ### OS version <details> ```console # On Linux: $ cat /etc/os-release # paste output here $ uname -a # paste output here # On Windows: C:\> wmic os get Caption, Version, BuildNumber, OSArchitecture # paste output here ``` </details> ### Install tools <details> ```console $ kind version kind v0.26.0 go1.23.4 linux/amd64 ``` </details> ### Container runtime (CRI) and version (if applicable) <details> </details> ### Related plugins (CNI, CSI, ...) and versions (if applicable) <details> </details>
kind/bug,priority/important-soon,sig/node,triage/accepted,wg/device-management
medium
Critical
2,759,352,160
react-native
ScrollView snapToInterval/snapToOffsets not working when the scrollView width is a float number in IOS.
### Description ScrollView snapToInterval/snapToOffsets not working when the scrollView width is a float number in IOS, because `isHorizontal` method in `RCTEnhancedScrollView` return a unexpected result when the width is a float. ```Objective-C - (BOOL)isHorizontal:(UIScrollView *)scrollView { return scrollView.contentSize.width > self.frame.size.width; } ``` In my reproducer: https://snack.expo.dev/@hiyuki/scrollview-snaptointerval-bug, when i set scrollView's width with a integer, such as `100`, snapToInterval/snapToOffsets works fine, but when i set the width with a float number, such as `100.3`, snapToInterval/snapToOffsets does't work. ### Steps to reproduce 1. open the reproducer link: https://snack.expo.dev/@hiyuki/scrollview-snaptointerval-bug 2. execute it with expo go in a IOS device 3. scroll the scrollView content vertically, snapToInterval/snapToOffsets does't work when touch up ### React Native Version 0.76.5 ### Affected Platforms Runtime - iOS ### Output of `npx react-native info` ```text System: OS: macOS 14.3.1 CPU: (12) x64 Intel(R) Core(TM) i7-9750H CPU @ 2.60GHz Memory: 1.77 GB / 16.00 GB Shell: version: "5.9" path: /bin/zsh Binaries: Node: version: 18.17.1 path: /usr/local/bin/node Yarn: Not Found npm: version: 9.8.1 path: /usr/local/bin/npm Watchman: version: 2024.01.22.00 path: /usr/local/bin/watchman Managers: CocoaPods: version: 1.15.2 path: /usr/local/bin/pod SDKs: iOS SDK: Platforms: - DriverKit 23.4 - iOS 17.4 - macOS 14.4 - tvOS 17.4 - visionOS 1.1 - watchOS 10.4 Android SDK: API Levels: - "34" - "35" Build Tools: - 33.0.1 - 34.0.0 - 35.0.0 System Images: - android-34 | Intel x86_64 Atom - android-34 | Google APIs Intel x86_64 Atom Android NDK: Not Found IDEs: Android Studio: 2024.1 AI-241.18034.62.2412.12266719 Xcode: version: 15.3/15E204a path: /usr/bin/xcodebuild Languages: Java: version: 17.0.12 path: /usr/bin/javac Ruby: version: 2.6.10 path: /usr/bin/ruby npmPackages: "@react-native-community/cli": installed: 15.0.0-alpha.2 wanted: 15.0.0-alpha.2 react: installed: 18.3.1 wanted: 18.3.1 react-native: installed: 0.76.5 wanted: ^0.76.5 react-native-macos: Not Found npmGlobalPackages: "*react-native*": Not Found Android: hermesEnabled: true newArchEnabled: true iOS: hermesEnabled: true newArchEnabled: true ``` ### Stacktrace or Logs ```text no crash ``` ### Reproducer https://snack.expo.dev/@hiyuki/scrollview-snaptointerval-bug ### Screenshots and Videos set ScrollView's width with 100.3, snapToInterval/snapToOffsets does't work. https://github.com/user-attachments/assets/23b5d09f-a45a-4a6b-8327-1feba66bc41f set ScrollView's width with 100, snapToInterval/snapToOffsets works fine. https://github.com/user-attachments/assets/e72e4934-46f2-4601-b5ec-01c800ee7f3a
Platform: iOS,Issue: Author Provided Repro,Component: ScrollView
low
Critical
2,759,373,801
flutter
ScrollPosition.isScrollingNotifier gives incorrect values on web
Using a desktop browser, go to [this official example for isScrollingNotifier in the Flutter docs](https://api.flutter.dev/flutter/widgets/ScrollPosition-class.html#widgets.ScrollPosition.2). The example incorrectly shows that it is not scrolling when it is scrolling. Printing the value of `isScrollingNotifier` on line 19 shows that it rapidly alternates between `true` and `false` during a scroll. Tested using both Safari and Chrome on MacOS 15. However, it seems to work properly when using an iOS browser. Alternatively, run this minimal example on the web. The example works as expected when compiled for iOS and on an iOS browser. <details open><summary>Code sample</summary> ```dart import 'package:flutter/material.dart'; void main() => runApp(const MaterialApp(home: MyApp())); class MyApp extends StatefulWidget { const MyApp({Key? key}) : super(key: key); @override State<MyApp> createState() => _MyAppState(); } class _MyAppState extends State<MyApp> { late final ScrollController _controller; void _checkIsScrolling() { print(_controller.position.isScrollingNotifier.value); } @override void initState() { super.initState(); _controller = ScrollController( onAttach: (position) => position.isScrollingNotifier.addListener(_checkIsScrolling), onDetach: (position) => position.isScrollingNotifier.removeListener(_checkIsScrolling), ); } @override Widget build(BuildContext context) { return Scaffold( body: ListView.builder( controller: _controller, itemBuilder: (_, ndx) => ListTile(title: Text("Item $ndx")), ), ); } } ``` </details> <details open><summary>Doctor output</summary> ```console [โœ“] Flutter (Channel stable, 3.24.5, on macOS 15.2 24C101 darwin-x64, locale en-US) โ€ข Flutter version 3.24.5 on channel stable at /Users/benjaminweschler/Development/flutter โ€ข Upstream repository https://github.com/flutter/flutter.git โ€ข Framework revision dec2ee5c1f (6 weeks ago), 2024-11-13 11:13:06 -0800 โ€ข Engine revision a18df97ca5 โ€ข Dart version 3.5.4 โ€ข DevTools version 2.37.3 [โœ“] Android toolchain - develop for Android devices (Android SDK version 34.0.0) โ€ข Android SDK at /Users/benjaminweschler/Library/Android/sdk โ€ข Platform android-34, build-tools 34.0.0 โ€ข Java binary at: /Applications/Android Studio.app/Contents/jbr/Contents/Home/bin/java โ€ข Java version OpenJDK Runtime Environment (build 17.0.6+0-17.0.6b829.9-10027231) โ€ข All Android licenses accepted. [โœ“] Xcode - develop for iOS and macOS (Xcode 16.2) โ€ข Xcode at /Applications/Xcode.app/Contents/Developer โ€ข Build 16C5032a โ€ข CocoaPods version 1.16.2 [โœ“] Chrome - develop for the web โ€ข Chrome at /Applications/Google Chrome.app/Contents/MacOS/Google Chrome [โœ“] Android Studio (version 2022.3) โ€ข Android Studio at /Applications/Android Studio.app/Contents โ€ข Flutter plugin can be installed from: ๐Ÿ”จ https://plugins.jetbrains.com/plugin/9212-flutter โ€ข Dart plugin can be installed from: ๐Ÿ”จ https://plugins.jetbrains.com/plugin/6351-dart โ€ข Java version OpenJDK Runtime Environment (build 17.0.6+0-17.0.6b829.9-10027231) [โœ“] IntelliJ IDEA Ultimate Edition (version 2024.3.1) โ€ข IntelliJ at /Applications/IntelliJ IDEA.app โ€ข Flutter plugin version 83.0.4 โ€ข Dart plugin version 243.23177 [โœ“] Connected device (3 available) โ€ข iPhone 16 Pro (mobile) โ€ข A07624C4-AE5C-4820-9AC7-1D6522020281 โ€ข ios โ€ข com.apple.CoreSimulator.SimRuntime.iOS-18-1 (simulator) โ€ข Chrome (web) โ€ข chrome โ€ข web-javascript โ€ข Google Chrome 131.0.6778.205 [โœ“] Network resources โ€ข All expected network resources are available. โ€ข No issues found! ``` </details>
waiting for customer response,framework,f: scrolling,platform-web,has reproducible steps,team-framework,found in release: 3.27,found in release: 3.28
low
Minor
2,759,377,019
go
cmd/compile: bug in cmd/compile/internal/importer.(*pkgReader).objIdx.func1
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `66LxTA` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-12-09.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.3:src/runtime/panic.go;l=785) - [`cmd/compile/internal/types2.(*Checker).handleBailout:+7`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/check.go;l=381) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.3:src/runtime/panic.go;l=785) - [`cmd/compile/internal/importer.(*pkgReader).objIdx.func1:+17`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/importer/ureader.go;l=421) - [`cmd/compile/internal/types2.(*Scope).Lookup.resolve.func1:+1`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/scope.go;l=266) - [`sync.(*Once).doSlow:+5`](https://cs.opensource.google/go/go/+/go1.23.3:src/sync/once.go;l=76) - [`sync.(*Once).Do:=67`](https://cs.opensource.google/go/go/+/go1.23.3:src/sync/once.go;l=67) - [`cmd/compile/internal/types2.resolve:=265`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/scope.go;l=265) - [`cmd/compile/internal/types2.(*Scope).Lookup:+1`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/scope.go;l=71) - [`cmd/compile/internal/types2.(*Checker).selector:+46`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/call.go;l=714) - [`cmd/compile/internal/types2.(*Checker).typInternal:+43`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/typexpr.go;l=280) - [`cmd/compile/internal/types2.(*Checker).genericType:+1`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/typexpr.go;l=216) - [`cmd/compile/internal/types2.(*Checker).instantiatedType:+16`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/typexpr.go;l=461) ``` cmd/[email protected] go1.23.3 darwin/arm64 (1) cmd/[email protected] go1.23.3 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,377,037
flutter
`PopScope.onPopInvokedWithResult` is not invoked when when route is popped using`Navigator.pushNamedAndRemoveUntil()`
### Steps to reproduce I was running the code with flutter web. 1. click Next page 2. click Go back 3. confirm Leave ### Expected results I was expected the debug console print `[log] popped`. ### Actual results Nothing printed. ### Code sample <details open><summary>Code sample</summary> ```dart import 'dart:developer'; import 'package:flutter/material.dart'; void main() => runApp(const NavigatorPopHandlerApp()); class NavigatorPopHandlerApp extends StatelessWidget { const NavigatorPopHandlerApp({super.key}); @override Widget build(BuildContext context) { return MaterialApp( initialRoute: '/home', routes: <String, WidgetBuilder>{ '/home': (BuildContext context) => const _HomePage(), '/two': (BuildContext context) => const _PageTwo(), }, ); } } class _HomePage extends StatefulWidget { const _HomePage(); @override State<_HomePage> createState() => _HomePageState(); } class _HomePageState extends State<_HomePage> { @override Widget build(BuildContext context) { return Scaffold( body: Center( child: Column( mainAxisAlignment: MainAxisAlignment.center, children: <Widget>[ const Text('Page One'), TextButton( onPressed: () { Navigator.of(context).pushNamed('/two'); }, child: const Text('Next page'), ), ], ), ), ); } } class _PageTwo extends StatefulWidget { const _PageTwo(); @override State<_PageTwo> createState() => _PageTwoState(); } class _PageTwoState extends State<_PageTwo> { /// Shows a dialog and resolves to true when the user has indicated that they /// want to pop. /// /// A return value of null indicates a desire not to pop, such as when the /// user has dismissed the modal without tapping a button. Future<bool?> _showBackDialog() { return showDialog<bool>( context: context, builder: (BuildContext context) { return AlertDialog( title: const Text('Are you sure?'), content: const Text( 'Are you sure you want to leave this page?', ), actions: <Widget>[ TextButton( style: TextButton.styleFrom( textStyle: Theme.of(context).textTheme.labelLarge, ), child: const Text('Nevermind'), onPressed: () { Navigator.pop(context, false); }, ), TextButton( style: TextButton.styleFrom( textStyle: Theme.of(context).textTheme.labelLarge, ), child: const Text('Leave'), onPressed: () { Navigator.pop(context, true); }, ), ], ); }, ); } @override Widget build(BuildContext context) { return Scaffold( body: Center( child: Column( mainAxisAlignment: MainAxisAlignment.center, children: <Widget>[ const Text('Page Two'), PopScope<Object?>( canPop: false, onPopInvokedWithResult: (bool didPop, Object? result) async { log("popped"); }, child: TextButton( onPressed: () async { final bool shouldPop = await _showBackDialog() ?? false; if (context.mounted && shouldPop) { Navigator.pushNamedAndRemoveUntil( context, '/home', (_) => false); // Navigator.pop(context); } }, child: const Text('Go back'), ), ), ], ), ), ); } } ``` </details> ### Screenshots or Video <details open> <summary>Screenshots / Video demonstration</summary> [Upload media here] </details> ### Logs <details open><summary>Logs</summary> ```console [Paste your logs here] ``` </details> ### Flutter Doctor output <details open><summary>Doctor output</summary> ```console [โœ“] Flutter (Channel stable, 3.24.5, on Fedora Linux 40 (Workstation Edition) 6.11.11-200.fc40.x86_64, locale en_US.UTF-8) โ€ข Flutter version 3.24.5 on channel stable at /home/imchuncai/snap/flutter/common/flutter โ€ข Upstream repository https://github.com/flutter/flutter.git โ€ข Framework revision dec2ee5c1f (6 weeks ago), 2024-11-13 11:13:06 -0800 โ€ข Engine revision a18df97ca5 โ€ข Dart version 3.5.4 โ€ข DevTools version 2.37.3 [โœ“] Android toolchain - develop for Android devices (Android SDK version 34.0.0) โ€ข Android SDK at /home/imchuncai/Android/Sdk โ€ข Platform android-34, build-tools 34.0.0 โ€ข Java binary at: /home/imchuncai/android-studio/android-studio-2024.2.1.11-linux/android-studio/jbr/bin/java โ€ข Java version OpenJDK Runtime Environment (build 21.0.3+-12282718-b509.11) โ€ข All Android licenses accepted. [โœ“] Chrome - develop for the web โ€ข Chrome at google-chrome [โœ“] Linux toolchain - develop for Linux desktop โ€ข clang version 10.0.0-4ubuntu1 โ€ข cmake version 3.16.3 โ€ข ninja version 1.10.0 โ€ข pkg-config version 0.29.1 [โœ“] Android Studio (version 2024.2) โ€ข Android Studio at /home/imchuncai/android-studio/android-studio-2024.2.1.11-linux/android-studio โ€ข Flutter plugin can be installed from: ๐Ÿ”จ https://plugins.jetbrains.com/plugin/9212-flutter โ€ข Dart plugin can be installed from: ๐Ÿ”จ https://plugins.jetbrains.com/plugin/6351-dart โ€ข Java version OpenJDK Runtime Environment (build 21.0.3+-12282718-b509.11) [!] Android Studio (version unknown) โ€ข Android Studio at /home/imchuncai/android-studio โ€ข Flutter plugin can be installed from: ๐Ÿ”จ https://plugins.jetbrains.com/plugin/9212-flutter โ€ข Dart plugin can be installed from: ๐Ÿ”จ https://plugins.jetbrains.com/plugin/6351-dart โœ— Unable to determine Android Studio version. โœ— Unable to find bundled Java version. โ€ข Try updating or re-installing Android Studio. [โœ“] VS Code (version 1.96.0) โ€ข VS Code at /usr/share/code โ€ข Flutter extension version 3.102.0 [!] Proxy Configuration โ€ข HTTP_PROXY is set ! NO_PROXY is not set [โœ“] Connected device (2 available) โ€ข Linux (desktop) โ€ข linux โ€ข linux-x64 โ€ข Fedora Linux 40 (Workstation Edition) 6.11.11-200.fc40.x86_64 โ€ข Chrome (web) โ€ข chrome โ€ข web-javascript โ€ข Google Chrome 131.0.6778.139 [โœ“] Network resources โ€ข All expected network resources are available. ! Doctor found issues in 2 categories. ``` </details>
framework,f: material design,f: routes,has reproducible steps,P3,team-framework,triaged-framework,found in release: 3.27,found in release: 3.28
low
Critical
2,759,377,510
go
cmd/compile: bug in cmd/compile/internal/noder.(*pkgReader).objIdxMayFail
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `OFktgw` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - `runtime.panicmem:=262` - [`runtime.sigpanic:+19`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/signal_unix.go;l=900) - [`cmd/compile/internal/noder.(*pkgReader).objIdxMayFail:+14`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=699) - [`cmd/compile/internal/noder.(*pkgReader).objIdx:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=672) - [`cmd/compile/internal/noder.(*pkgReader).objInstIdx:+8`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=664) - [`cmd/compile/internal/noder.(*reader).obj:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=636) - [`cmd/compile/internal/noder.(*reader).doTyp:+9`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=502) - [`cmd/compile/internal/noder.(*pkgReader).typIdx:=429`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=429) - [`cmd/compile/internal/noder.(*reader).typWrapped:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=388) - `cmd/compile/internal/noder.(*reader).typ:=382` - [`cmd/compile/internal/noder.(*reader).doTyp:+25`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=518) - [`cmd/compile/internal/noder.(*pkgReader).typIdx:=429`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=429) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,378,877
go
cmd/compile: bug in cmd/compile/internal/noder.(*reader).localIdent (export data parent issue)
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `hs84Kg` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - `internal/pkgbits.assert:=11` - `internal/pkgbits.(*Decoder).rawReloc:=296` - [`internal/pkgbits.(*Decoder).Reloc:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=405) - [`internal/pkgbits.(*Decoder).String:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=412) - [`cmd/compile/internal/noder.(*reader).localIdent:=1084`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1084) - [`cmd/compile/internal/noder.(*reader).param:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=624) - [`cmd/compile/internal/noder.(*reader).params:+4`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=617) - [`cmd/compile/internal/noder.(*reader).signature:+4`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=605) - [`cmd/compile/internal/noder.(*reader).method:+6`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1049) - [`cmd/compile/internal/noder.(*pkgReader).objIdxMayFail:+152`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=837) - [`cmd/compile/internal/noder.(*pkgReader).objIdx:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=672) - [`cmd/compile/internal/noder.(*pkgReader).objInstIdx:+8`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=664) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,380,089
go
cmd/compile: bug in cmd/compile/internal/importer.(*reader).pkg
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `jDg_ng` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - [`cmd/compile/internal/types2.(*Checker).handleBailout:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/check.go;l=381) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - [`runtime.goPanicIndex:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=115) - `internal/pkgbits.(*Decoder).rawReloc:=295` - [`internal/pkgbits.(*Decoder).Reloc:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=405) - [`cmd/compile/internal/importer.(*reader).pkg:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/importer/ureader.go;l=150) - [`cmd/compile/internal/importer.(*reader).doPkg:+23`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/importer/ureader.go;l=188) - `cmd/compile/internal/importer.(*pkgReader).pkgIdx:=160` - [`cmd/compile/internal/importer.(*reader).pkg:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/importer/ureader.go;l=150) - [`cmd/compile/internal/importer.(*reader).doPkg:+23`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/importer/ureader.go;l=188) - `cmd/compile/internal/importer.(*pkgReader).pkgIdx:=160` - [`cmd/compile/internal/importer.(*reader).pkg:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/importer/ureader.go;l=150) ``` cmd/[email protected] go1.23.2 linux/amd64 (2) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,383,499
go
cmd/compile: bug in cmd/compile/internal/types.NewNamed
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `74NgnA` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - `runtime.panicmem:=262` - [`runtime.sigpanic:+19`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/signal_unix.go;l=900) - [`cmd/compile/internal/types.NewNamed:+8`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/type.go;l=1653) - [`cmd/compile/internal/noder.(*pkgReader).objIdxMayFail:+129`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=814) - [`cmd/compile/internal/noder.(*pkgReader).objIdx:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=672) - [`cmd/compile/internal/noder.(*pkgReader).objInstIdx:+8`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=664) - [`cmd/compile/internal/noder.(*reader).obj:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=636) - [`cmd/compile/internal/noder.(*reader).doTyp:+9`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=502) - [`cmd/compile/internal/noder.(*pkgReader).typIdx:=429`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=429) - [`cmd/compile/internal/noder.(*reader).typWrapped:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=388) - `cmd/compile/internal/noder.(*reader).typ:=382` - [`cmd/compile/internal/noder.(*reader).structType:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=591) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,385,493
go
cmd/compile: bug in cmd/compile/internal/inline/interleaved.fixpoint.func2
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `mzsOjw` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - `runtime.panicmem:=262` - [`runtime.sigpanic:+19`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/signal_unix.go;l=900) - [`cmd/compile/internal/inline/interleaved.fixpoint.func2:+5`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/inline/interleaved/interleaved.go;l=187) - [`cmd/compile/internal/ir.(*BinaryExpr).editChildren:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/ir/node_gen.go;l=223) - [`cmd/compile/internal/ir.EditChildren:=196`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/ir/visit.go;l=196) - [`cmd/compile/internal/inline/interleaved.fixpoint.func2:+4`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/inline/interleaved/interleaved.go;l=186) - [`cmd/compile/internal/ir.(*IfStmt).editChildren:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/ir/node_gen.go;l=746) - [`cmd/compile/internal/ir.EditChildren:=196`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/ir/visit.go;l=196) - [`cmd/compile/internal/inline/interleaved.fixpoint.func2:+4`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/inline/interleaved/interleaved.go;l=186) - [`cmd/compile/internal/ir.editNodes:=1806`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/ir/node_gen.go;l=1806) - [`cmd/compile/internal/ir.(*InlinedCallExpr).editChildren:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/ir/node_gen.go;l=841) - [`cmd/compile/internal/ir.EditChildren:=196`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/ir/visit.go;l=196) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,386,801
go
cmd/compile: bug in cmd/compile/internal/noder.readPackage
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `FCl7nQ` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - [`cmd/compile/internal/types2.(*Checker).handleBailout:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/check.go;l=381) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - `internal/pkgbits.assert:=11` - `internal/pkgbits.(*Decoder).rawReloc:=296` - [`internal/pkgbits.(*Decoder).Reloc:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=405) - [`cmd/compile/internal/noder.readPackage:=417`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/unified.go;l=417) - [`cmd/compile/internal/noder.readImportFile:+70`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/import.go;l=243) - [`cmd/compile/internal/noder.(*gcimports).ImportFrom:+5`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/import.go;l=45) - [`cmd/compile/internal/types2.(*Checker).importPackage:+26`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/resolver.go;l=149) - [`cmd/compile/internal/types2.(*Checker).collectObjects:+54`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/resolver.go;l=257) - [`cmd/compile/internal/types2.(*Checker).checkFiles:+26`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/check.go;l=433) - [`cmd/compile/internal/types2.(*Checker).Files:+13`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/check.go;l=399) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,387,530
go
cmd/compile: bug in cmd/compile/internal/types.(*Type).Pos
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `aGCLWg` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - `runtime.panicmem:=262` - [`runtime.sigpanic:+19`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/signal_unix.go;l=900) - [`cmd/compile/internal/types.(*Type).Pos:=278`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/type.go;l=278) - [`cmd/compile/internal/types.CalcSize:+34`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=244) - [`cmd/compile/internal/types.calcStructOffset:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=166) - [`cmd/compile/internal/types.CalcStructSize:+13`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=515) - [`cmd/compile/internal/types.CalcSize:+245`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=455) - [`cmd/compile/internal/types.ResumeCheckSize:+6`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=644) - [`cmd/compile/internal/noder.(*pkgReader).objIdxMayFail:+142`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=827) - [`cmd/compile/internal/noder.(*pkgReader).objIdx:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=672) - [`cmd/compile/internal/noder.(*pkgReader).objInstIdx:+8`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=664) - [`cmd/compile/internal/noder.(*reader).obj:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=636) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,388,107
go
cmd/compile: bug in cmd/compile/internal/noder.(*pkgWriter).pkgIdx
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `bKG_2Q` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - `internal/pkgbits.assert:=11` - [`internal/pkgbits.(*Encoder).Len:=296`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/encoder.go;l=296) - [`internal/pkgbits.(*Encoder).Flush:+19`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/encoder.go;l=185) - [`cmd/compile/internal/noder.(*pkgWriter).pkgIdx:+33`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=460) - [`cmd/compile/internal/noder.(*writer).pkg:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=417) - [`cmd/compile/internal/noder.(*pkgWriter).pkgIdx:+29`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=456) - [`cmd/compile/internal/noder.(*writer).pkg:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=417) - [`cmd/compile/internal/noder.writePkgStub:+15`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/unified.go;l=331) - [`cmd/compile/internal/noder.unified:+6`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/unified.go;l=193) - [`cmd/compile/internal/noder.LoadPackage:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/noder.go;l=77) - [`cmd/compile/internal/gc.Main:+140`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=200) - [`main.main:+12`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/main.go;l=57) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,389,480
go
cmd/compile: bug in cmd/compile/internal/types.(*Type).Elem
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `9kI4uw` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/types.(*Type).Elem:+13`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/type.go;l=919) - [`cmd/compile/internal/types.NewSlice:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/type.go;l=566) - [`cmd/compile/internal/noder.(*reader).doTyp:+29`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=522) - [`cmd/compile/internal/noder.(*pkgReader).typIdx:=429`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=429) - [`cmd/compile/internal/noder.(*reader).typWrapped:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=388) - `cmd/compile/internal/noder.(*reader).typ:=382` - [`cmd/compile/internal/noder.(*reader).param:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=624) - [`cmd/compile/internal/noder.(*reader).params:+4`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=617) - [`cmd/compile/internal/noder.(*reader).signature:+4`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=605) - [`cmd/compile/internal/noder.(*reader).method:+6`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1049) - [`cmd/compile/internal/noder.(*pkgReader).objIdxMayFail:+152`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=837) - [`cmd/compile/internal/noder.(*pkgReader).objIdx:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=672) - [`cmd/compile/internal/noder.(*pkgReader).objInstIdx:+8`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=664) - [`cmd/compile/internal/noder.(*reader).obj:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=636) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,390,905
go
cmd/compile: bug in cmd/compile/internal/types2.setDefType
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `WkcAxQ` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-12-02.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.3:src/runtime/panic.go;l=785) - [`cmd/compile/internal/types2.(*Checker).handleBailout:+7`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/check.go;l=381) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.3:src/runtime/panic.go;l=785) - [`cmd/compile/internal/types2.setDefType:+7`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/typexpr.go;l=432) - [`cmd/compile/internal/types2.(*Checker).typInternal:+31`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/typexpr.go;l=268) - [`cmd/compile/internal/types2.(*Checker).definedType:+1`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/typexpr.go;l=202) - [`cmd/compile/internal/types2.(*Checker).typeDecl:+55`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/decl.go;l=535) - [`cmd/compile/internal/types2.(*Checker).objDecl:+141`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/decl.go;l=190) - `cmd/compile/internal/types2.(*Checker).packageObjects:=722` - [`cmd/compile/internal/types2.(*Checker).checkFiles:+29`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/check.go;l=436) - [`cmd/compile/internal/types2.(*Checker).Files:+13`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/check.go;l=399) - [`cmd/compile/internal/types2.(*Config).Check:+2`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/types2/api.go;l=480) - [`cmd/compile/internal/noder.checkFiles:+69`](https://cs.opensource.google/go/go/+/go1.23.3:src/cmd/compile/internal/noder/irgen.go;l=95) ``` cmd/[email protected] go1.23.3 darwin/arm64 (2) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,392,935
go
cmd/compile: bug in cmd/compile/internal/importer.(*reader).typInfo
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `uLUAQA` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - [`cmd/compile/internal/types2.(*Checker).handleBailout:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/check.go;l=381) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - `internal/pkgbits.errorf:=16` - `internal/pkgbits.(*Decoder).checkErr:=245` - [`internal/pkgbits.(*Decoder).Bool:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=363) - [`cmd/compile/internal/importer.(*reader).typInfo:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/importer/ureader.go;l=203) - [`cmd/compile/internal/importer.(*reader).typ:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/importer/ureader.go;l=198) - [`cmd/compile/internal/importer.(*pkgReader).objIdx.func1.1:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/importer/ureader.go;l=449) - [`cmd/compile/internal/types2.(*Named).resolve:+46`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/named.go;l=204) - [`cmd/compile/internal/types2.(*Named).Underlying:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/named.go;l=495) - [`cmd/compile/internal/types2.(*Checker).validType0:+70`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/validtype.go;l=97) - [`cmd/compile/internal/types2.(*Checker).validType0:+27`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/validtype.go;l=54) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,393,799
go
cmd/compile: bug in cmd/compile/internal/noder.readImportFile
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `E60gGw` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - [`cmd/compile/internal/types2.(*Checker).handleBailout:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/check.go;l=381) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - `internal/pkgbits.assert:=11` - [`internal/pkgbits.NewPkgDecoder:=105`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=105) - [`cmd/compile/internal/noder.readImportFile:+67`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/import.go;l=240) - [`cmd/compile/internal/noder.(*gcimports).ImportFrom:+5`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/import.go;l=45) - [`cmd/compile/internal/types2.(*Checker).importPackage:+26`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/resolver.go;l=149) - [`cmd/compile/internal/types2.(*Checker).collectObjects:+54`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/resolver.go;l=257) - [`cmd/compile/internal/types2.(*Checker).checkFiles:+26`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/check.go;l=433) - [`cmd/compile/internal/types2.(*Checker).Files:+13`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/check.go;l=399) - [`cmd/compile/internal/types2.(*Config).Check:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/api.go;l=480) - [`cmd/compile/internal/noder.checkFiles:+69`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/irgen.go;l=95) ``` cmd/[email protected] go1.23.2 linux/amd64 (2) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,395,324
go
cmd/compile: bug in cmd/compile/internal/noder.(*pkgWriter).pkgIdx
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `VD1VPw` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - `runtime.panicmem:=262` - [`runtime.sigpanic:+19`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/signal_unix.go;l=900) - [`cmd/compile/internal/noder.(*pkgWriter).pkgIdx:+28`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=455) - [`cmd/compile/internal/noder.(*writer).pkg:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=417) - [`cmd/compile/internal/noder.(*pkgWriter).pkgIdx:+29`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=456) - [`cmd/compile/internal/noder.(*writer).pkg:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=417) - [`cmd/compile/internal/noder.(*pkgWriter).pkgIdx:+29`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=456) - [`cmd/compile/internal/noder.(*writer).pkg:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=417) - [`cmd/compile/internal/noder.(*pkgWriter).pkgIdx:+29`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=456) - [`cmd/compile/internal/noder.(*writer).pkg:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=417) - [`cmd/compile/internal/noder.(*pkgWriter).pkgIdx:+29`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=456) - [`cmd/compile/internal/noder.(*writer).pkg:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/writer.go;l=417) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,395,880
go
cmd/compile: bug in cmd/compile/internal/importer.(*pkgReader).newReader
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `BbuvCg` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - [`cmd/compile/internal/types2.(*Checker).handleBailout:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types2/check.go;l=381) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - `internal/pkgbits.errorf:=16` - `internal/pkgbits.(*Decoder).checkErr:=245` - [`internal/pkgbits.(*Decoder).rawUvarint:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=251) - [`internal/pkgbits.(*Decoder).Uint64:=377`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=377) - [`internal/pkgbits.(*Decoder).Len:+0`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=381) - [`internal/pkgbits.(*PkgDecoder).NewDecoderRaw:+12`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=201) - [`internal/pkgbits.(*PkgDecoder).NewDecoder:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=166) - `cmd/compile/internal/importer.(*pkgReader).newReader:=86` - `cmd/compile/internal/importer.(*pkgReader).pkgIdx:=160` - [`cmd/compile/internal/importer.(*reader).pkg:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/importer/ureader.go;l=150) ``` cmd/[email protected] go1.23.2 linux/amd64 (2) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,396,287
go
cmd/compile: bug in cmd/compile/internal/noder.(*pkgReader).posBaseIdx
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `OJW6pg` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - [`runtime.goPanicSliceB:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=155) - [`internal/pkgbits.(*PkgDecoder).DataIdx:+9`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=155) - [`internal/pkgbits.(*PkgDecoder).StringIdx:=160`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=160) - [`internal/pkgbits.(*Decoder).String:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/internal/pkgbits/decoder.go;l=412) - `cmd/compile/internal/noder.(*pkgReader).posBaseIdx:=271` - [`cmd/compile/internal/noder.(*reader).posBase:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=258) - [`cmd/compile/internal/noder.(*reader).pos0:+6`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=250) - [`cmd/compile/internal/noder.(*reader).pos:=231`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=231) - [`cmd/compile/internal/noder.(*reader).param:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=624) - [`cmd/compile/internal/noder.(*reader).params:+4`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=617) - [`cmd/compile/internal/noder.(*reader).signature:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=604) - [`cmd/compile/internal/noder.(*reader).doTyp:+27`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=520) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,396,711
go
cmd/compile: bug in cmd/compile/internal/types.CalcSize
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `SXwxdA` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/types.CalcSize:+61`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=271) - [`cmd/compile/internal/types.calcStructOffset:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=166) - [`cmd/compile/internal/types.CalcStructSize:+13`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=515) - [`cmd/compile/internal/types.CalcSize:+245`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=455) - [`cmd/compile/internal/types.ResumeCheckSize:+6`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=644) - [`cmd/compile/internal/noder.(*pkgReader).objIdxMayFail:+142`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=827) - [`cmd/compile/internal/noder.(*pkgReader).objIdx:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=672) - [`cmd/compile/internal/noder.(*pkgReader).objInstIdx:+8`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=664) - [`cmd/compile/internal/noder.(*reader).obj:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=636) - [`cmd/compile/internal/noder.(*reader).doTyp:+9`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=502) - [`cmd/compile/internal/noder.(*pkgReader).typIdx:=429`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=429) - [`cmd/compile/internal/noder.(*reader).typWrapped:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=388) - `cmd/compile/internal/noder.(*reader).typ:=382` - [`cmd/compile/internal/noder.(*reader).assign:+11`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1788) ``` cmd/[email protected] go1.23.2 linux/amd64 (2) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,397,188
go
cmd/compile: bug in cmd/compile/internal/noder.(*reader).doPkg
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `xLknhA` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - `cmd/compile/internal/base.Assertf:=249` - `cmd/compile/internal/noder.(*reader).doPkg:=373` - [`cmd/compile/internal/noder.(*pkgReader).pkgIdx:+5`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=349) - [`cmd/compile/internal/noder.(*reader).pkg:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=339) - [`cmd/compile/internal/noder.(*reader).qualifiedIdent:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1074) - [`cmd/compile/internal/noder.(*pkgReader).objIdxMayFail:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=687) - [`cmd/compile/internal/noder.(*pkgReader).objIdx:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=672) - [`cmd/compile/internal/noder.(*pkgReader).objInstIdx:+8`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=664) - [`cmd/compile/internal/noder.(*reader).obj:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=636) - [`cmd/compile/internal/noder.(*reader).doTyp:+9`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=502) - [`cmd/compile/internal/noder.(*pkgReader).typIdx:=429`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=429) - [`cmd/compile/internal/noder.(*reader).typWrapped:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=388) - `cmd/compile/internal/noder.(*reader).typ:=382` - [`cmd/compile/internal/noder.(*reader).param:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=624) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,397,668
go
cmd/compile: bug in cmd/compile/internal/types.IsExported
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `U3KXYA` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - [`runtime.goPanicIndex:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=115) - [`cmd/compile/internal/types.IsExported:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/sym.go;l=133) - [`cmd/compile/internal/types.(*Sym).Less:+14`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/sym.go;l=113) - [`cmd/compile/internal/types.expandiface.func2:+14`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=110) - [`sort.insertionSort_func:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/sort/zsortfunc.go;l=12) - [`sort.stable_func:+8`](https://cs.opensource.google/go/go/+/go1.23.2:src/sort/zsortfunc.go;l=343) - [`sort.SliceStable:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/sort/slice.go;l=44) - [`cmd/compile/internal/types.expandiface:+18`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=96) - [`cmd/compile/internal/types.CalcSize:+120`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=330) - [`cmd/compile/internal/types.calcStructOffset:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=166) - [`cmd/compile/internal/types.CalcStructSize:+13`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=515) - [`cmd/compile/internal/types.CalcSize:+245`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/size.go;l=455) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,397,962
go
cmd/compile: bug in cmd/compile/internal/types.NewField
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `EcU8AQ` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/types.NewField:+8`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/type.go;l=702) - [`cmd/compile/internal/typecheck.NewMethodType:+21`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/typecheck/dcl.go;l=121) - [`cmd/compile/internal/reflectdata.methods:+46`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/reflectdata/reflect.go;l=356) - [`cmd/compile/internal/reflectdata.writeITab:+15`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/reflectdata/reflect.go;l=1309) - [`cmd/compile/internal/reflectdata.ITabLsym:+5`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/reflectdata/reflect.go;l=835) - [`cmd/compile/internal/noder.(*reader).itab:+16`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=3172) - [`cmd/compile/internal/noder.(*reader).convRTTI:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=3184) - [`cmd/compile/internal/noder.(*reader).expr:+380`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=2466) - [`cmd/compile/internal/noder.(*reader).multiExpr:+36`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=2949) - [`cmd/compile/internal/noder.(*reader).expr:+282`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=2368) - [`cmd/compile/internal/noder.(*reader).stmt1:+75`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1728) - [`cmd/compile/internal/noder.(*reader).stmts:+12`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1647) - [`cmd/compile/internal/noder.(*reader).funcBody.func1:+11`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1300) - [`cmd/compile/internal/ir.WithFunc:+5`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/ir/func.go;l=391) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,399,052
go
cmd/compile: bug in cmd/compile/internal/types.(*Type).wantEtype
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `MUENJg` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - `cmd/compile/internal/types.(*Type).wantEtype:=843` - [`cmd/compile/internal/types.(*Type).funcType:=360`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/type.go;l=360) - [`cmd/compile/internal/types.(*Type).RecvParams:+0`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/types/type.go;l=868) - [`cmd/compile/internal/ir.(*Func).DeclareParams:+24`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/ir/func.go;l=613) - [`cmd/compile/internal/noder.(*reader).declareParams:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1511) - [`cmd/compile/internal/noder.(*reader).funcBody.func1:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1290) - [`cmd/compile/internal/ir.WithFunc:+5`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/ir/func.go;l=391) - [`cmd/compile/internal/noder.(*reader).funcBody:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1289) - [`cmd/compile/internal/noder.pkgReaderIndex.funcBody:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1277) - [`cmd/compile/internal/noder.readBodies:+26`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/unified.go;l=263) - [`cmd/compile/internal/noder.unified:+16`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/unified.go;l=203) - [`cmd/compile/internal/noder.LoadPackage:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/noder.go;l=77) - [`cmd/compile/internal/gc.Main:+140`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=200) - [`main.main:+12`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/main.go;l=57) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,399,400
go
cmd/compile: bug in cmd/compile/internal/noder.(*linker).exportBody
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `pqs84A` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - `cmd/compile/internal/base.Assert:=242` - `cmd/compile/internal/noder.assert:=15` - [`cmd/compile/internal/noder.(*linker).exportBody:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/linker.go;l=220) - [`cmd/compile/internal/noder.(*linker).relocObj:+68`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/linker.go;l=205) - [`cmd/compile/internal/noder.(*linker).relocIdx:=77`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/linker.go;l=77) - [`cmd/compile/internal/noder.(*linker).relocAll:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/linker.go;l=53) - [`cmd/compile/internal/noder.(*linker).relocCommon:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/linker.go;l=257) - [`cmd/compile/internal/noder.(*linker).relocIdx:=87`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/linker.go;l=87) - [`cmd/compile/internal/noder.(*linker).relocAll:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/linker.go;l=53) - [`cmd/compile/internal/noder.(*linker).relocCommon:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/linker.go;l=257) - [`cmd/compile/internal/noder.(*linker).relocIdx:=87`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/linker.go;l=87) - [`cmd/compile/internal/noder.(*linker).relocAll:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/linker.go;l=53) - [`cmd/compile/internal/noder.(*linker).relocCommon:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/linker.go;l=257) - [`cmd/compile/internal/noder.(*linker).relocObj:+34`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/linker.go;l=171) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,399,732
go
cmd/compile: bug in cmd/compile/internal/noder.(*reader).typeParamNames
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `TGzIXQ` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-11-29.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/base/print.go;l=215) - `cmd/compile/internal/base.Fatalf:=195` - [`cmd/compile/internal/gc.handlePanic:+7`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/gc/main.go;l=53) - [`runtime.gopanic:+50`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=785) - [`runtime.goPanicSliceB:+2`](https://cs.opensource.google/go/go/+/go1.23.2:src/runtime/panic.go;l=155) - [`cmd/compile/internal/noder.(*reader).typeParamNames:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1037) - [`cmd/compile/internal/noder.(*reader).method:+4`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=1047) - [`cmd/compile/internal/noder.(*pkgReader).objIdxMayFail:+152`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=837) - [`cmd/compile/internal/noder.(*pkgReader).objIdx:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=672) - [`cmd/compile/internal/noder.(*pkgReader).objInstIdx:+8`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=664) - [`cmd/compile/internal/noder.(*reader).obj:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=636) - [`cmd/compile/internal/noder.(*reader).doTyp:+9`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=502) - [`cmd/compile/internal/noder.(*pkgReader).typIdx:=429`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=429) - [`cmd/compile/internal/noder.(*reader).typWrapped:+1`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=388) - `cmd/compile/internal/noder.(*reader).typ:=382` - [`cmd/compile/internal/noder.(*reader).structType:+3`](https://cs.opensource.google/go/go/+/go1.23.2:src/cmd/compile/internal/noder/reader.go;l=591) ``` cmd/[email protected] go1.23.2 linux/amd64 (1) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,400,039
go
cmd/compile: bug in cmd/compile/internal/liveness.(*liveness).epilogue
Issue created by [stacks](https://pkg.go.dev/golang.org/x/tools/gopls/internal/telemetry/cmd/stacks). This stack `k6ERsw` was [reported by telemetry](https://storage.googleapis.com/prod-telemetry-merged/2024-12-11.json): - `compile/bug` - [`cmd/compile/internal/base.FatalfAt:+3`](https://cs.opensource.google/go/go/+/go1.23.4:src/cmd/compile/internal/base/print.go;l=215) - [`cmd/compile/internal/liveness.(*liveness).epilogue:+115`](https://cs.opensource.google/go/go/+/go1.23.4:src/cmd/compile/internal/liveness/plive.go;l=867) - [`cmd/compile/internal/liveness.Compute:+8`](https://cs.opensource.google/go/go/+/go1.23.4:src/cmd/compile/internal/liveness/plive.go;l=1385) - [`cmd/compile/internal/ssagen.genssa:+6`](https://cs.opensource.google/go/go/+/go1.23.4:src/cmd/compile/internal/ssagen/ssa.go;l=7285) - [`cmd/compile/internal/ssagen.Compile:+11`](https://cs.opensource.google/go/go/+/go1.23.4:src/cmd/compile/internal/ssagen/pgen.go;l=312) - [`cmd/compile/internal/gc.compileFunctions.func5.1:+1`](https://cs.opensource.google/go/go/+/go1.23.4:src/cmd/compile/internal/gc/compile.go;l=188) - [`cmd/compile/internal/gc.compileFunctions.func3.1:+1`](https://cs.opensource.google/go/go/+/go1.23.4:src/cmd/compile/internal/gc/compile.go;l=170) - `runtime.goexit:+0` ``` cmd/[email protected] go1.23.4 darwin/arm64 (2) ```
NeedsInvestigation,compiler/runtime,compiler/telemetry-wins
low
Critical
2,759,416,868
kubernetes
killPodOptions not showing up properly
### What happened? ``` shell I1226 15:13:00.040437 4101130 kubelet_pods.go:473] "Clean up probes for terminated pods" I1226 15:13:00.040470 4101130 kubelet_pods.go:545] "Clean up containers for orphaned pod we had not seen before" podUID="2a07603d-dc01-4897-84f4-716127ffe399" killPodOptions="<internal error: json: unsupported type: chan<- struct {}>" I1226 15:13:00.040502 4101130 pod_workers.go:727] "Pod is being synced for the first time" pod="kube-system/kindnet-d8bcd" podUID="2a07603d-dc01-4897-84f4-716127ffe399" updateType="kill" I1226 15:13:00.040524 4101130 pod_workers.go:808] "Pod is orphaned and must be torn down" pod="kube-system/kindnet-d8bcd" podUID="2a07603d-dc01-4897-84f4-716127ffe399" updateType="kill" I1226 15:13:00.040551 4101130 pod_workers.go:913] "Notifying pod of pending update" pod="kube-system/kindnet-d8bcd" podUID="2a07603d-dc01-4897-84f4-716127ffe399" workType="terminating" ``` ### What did you expect to happen? `killPodOptions` correctly displays parameter information ### How can we reproduce it (as minimally and precisely as possible)? N/A ### Anything else we need to know? _No response_ ### Kubernetes version <details> ```console $ kubectl version v1.32.0 ``` </details> ### Cloud provider <details> </details> ### OS version <details> ```console # On Linux: $ cat /etc/os-release # paste output here $ uname -a # paste output here # On Windows: C:\> wmic os get Caption, Version, BuildNumber, OSArchitecture # paste output here ``` </details> ### Install tools <details> </details> ### Container runtime (CRI) and version (if applicable) <details> </details> ### Related plugins (CNI, CSI, ...) and versions (if applicable) <details> </details>
kind/bug,priority/backlog,sig/node,triage/accepted
low
Critical
2,759,425,273
storybook
[Bug]: if a control option includes 'reverse' , `function reverse() { [native code] }` is displayed
### Describe the bug If a story control type contains the word 'reverse' among its options, the control value in the UI for this option will display the text ` function reverse() { [native code] }` instead of "reverse". I've provided the StackBlitz reproduction link below, however it is from an anonymous fork, so it might get wiped after a while. In that case, the story setup is quite straightforward: ```html <script module> import { defineMeta } from '@storybook/addon-svelte-csf'; import SomeComponentComponent from './SomeComponent.svelte'; const { Story } = defineMeta({ title: 'Example/SomeComponent', component: SomeComponentComponent, tags: ['autodocs'], argTypes: { option: { control: "inline-radio", options: ['normal', 'reverse',], }, }, }); </script> <Story name="SomeComponent" args={{ option:'normal' }} /> ``` ### Reproduction link https://stackblitz.com/edit/github-yndwrtai?file=src%2Fstories%2FSomeComponent.stories.svelte ### Reproduction steps 1. Create a component that accepts a string output 2. In the component's story, specify the argType as `{control: "inline-radio", options: ["normal", "reverse"]}` 3. Run Storybook and navigate to the component story. For the specified control, you will see the following options displayed: ``` โ€ข normal โ€ข function reverse() { [native code] } ``` ### System ```bash torybook Environment Info: System: OS: Linux 5.0 undefined CPU: (8) x64 Intel(R) Core(TM) i9-9880H CPU @ 2.30GHz Shell: 1.0 - /bin/jsh Binaries: Node: 18.20.3 - /usr/local/bin/node Yarn: 1.22.19 - /usr/local/bin/yarn npm: 10.2.3 - /usr/local/bin/npm <----- active pnpm: 8.15.6 - /usr/local/bin/pnpm npmPackages: @storybook/addon-essentials: ^8.5.0-beta.6 => 8.5.0-beta.6 @storybook/addon-interactions: ^8.5.0-beta.6 => 8.5.0-beta.6 @storybook/addon-svelte-csf: ^5.0.0-next.21 => 5.0.0-next.21 @storybook/blocks: ^8.5.0-beta.6 => 8.5.0-beta.6 @storybook/svelte: ^8.5.0-beta.6 => 8.5.0-beta.6 @storybook/svelte-vite: ^8.5.0-beta.6 => 8.5.0-beta.6 @storybook/test: ^8.5.0-beta.6 => 8.5.0-beta.6 storybook: ^8.5.0-beta.6 => 8.5.0-beta.6 ``` ### Additional context _No response_
bug,needs triage
low
Critical
2,759,425,954
kubernetes
Pending should not be handled as Error in PreFilter
### What happened? https://github.com/kubernetes/kubernetes/blob/35f584187a6d1250191aa24b0dcf735350f57508/pkg/scheduler/framework/runtime/framework.go#L735-L750 Kube Scheduler will return framework.Error when any plugin return Pending in PreFilter ### What did you expect to happen? Kube Scheduler should return Pending if any plugin return Pending in PreFilter. ### How can we reproduce it (as minimally and precisely as possible)? Implement a scheduler plugin which return Pending in PreFilter. ### Anything else we need to know? _No response_ ### Kubernetes version <details> ```console $ kubectl version # paste output here ``` 1.32 </details> ### Cloud provider <details> </details> ### OS version <details> ```console # On Linux: $ cat /etc/os-release # paste output here $ uname -a # paste output here # On Windows: C:\> wmic os get Caption, Version, BuildNumber, OSArchitecture # paste output here ``` </details> ### Install tools <details> </details> ### Container runtime (CRI) and version (if applicable) <details> </details> ### Related plugins (CNI, CSI, ...) and versions (if applicable) <details> </details>
kind/bug,sig/scheduling,needs-triage
low
Critical
2,759,451,286
PowerToys
Batch add environment variable function (ๆ‰น้‡ๆทปๅŠ ็Žฏๅขƒๅ˜้‡ๅŠŸ่ƒฝ)
### Description of the new feature / enhancement **The function of switching environment variables can only be entered one by one, and cannot be modified in batches or imported. The experience is extremely poor when using it for the first time** **ๅˆ‡ๆข็Žฏๅขƒๅ˜้‡ๅŠŸ่ƒฝๅช่ƒฝไธ€ไธชไธช็š„ๅฝ•ๅ…ฅ, ๆฒกๆณ•ๆ‰น้‡่ฟ›่กŒไฟฎๆ”น, ไนŸๆฒกๆณ•ๅฏผๅ…ฅ, ๅœจๅˆๆฌกไฝฟ็”จๆ—ถไฝ“้ชŒๆžๅทฎ** ### Scenario when this would be used? When developing locally, different environments may be switched ๅœจๆœฌๅœฐ่ฟ›่กŒๅผ€ๅ‘ๆ—ถ, ๅฏ่ƒฝไผšๅˆ‡ๆขไธๅŒ็š„็Žฏๅขƒ ### Supporting information _No response_
Needs-Triage
low
Minor
2,759,457,585
pytorch
[CPU][Operator] one channel_shuffle test of the operator benchmark has a Performance fluctuation issue
### ๐Ÿ› Describe the bug I conducted the operator benchmark and found one channel_shuffle test of the operator benchmark has a performance fluctuation issue. The test is benchmarkchannel_shuffle_batch_size4_channels_per_group64_height64_width64_groups4_channel_lastTrue. Set up the test environment according to the [Operator Micro-benchmarks README](https://github.com/pytorch/pytorch/tree/main/benchmarks/operator_benchmark) and conducted the following commands 10 times. ``` taskset -c 0-23 python -m pt.channel_shuffle_test --test-name channel_shuffle_batch_size4_channels_per_group64_height64_width64_groups4_channel_lastTrue ``` Here are the test results from my environment. We can clearly observe significant performance fluctuations in the test logs for rounds 3 and 9. ``` channel_shuffle_test_round_10.log:Forward Execution Time (us) : 120.766 channel_shuffle_test_round_10.log:Forward Execution Time (us) : 119.556 channel_shuffle_test_round_1.log:Forward Execution Time (us) : 120.853 channel_shuffle_test_round_1.log:Forward Execution Time (us) : 119.538 channel_shuffle_test_round_2.log:Forward Execution Time (us) : 117.764 channel_shuffle_test_round_2.log:Forward Execution Time (us) : 117.233 channel_shuffle_test_round_3.log:Forward Execution Time (us) : 789.170 channel_shuffle_test_round_3.log:Forward Execution Time (us) : 118.370 channel_shuffle_test_round_4.log:Forward Execution Time (us) : 118.316 channel_shuffle_test_round_4.log:Forward Execution Time (us) : 117.791 channel_shuffle_test_round_5.log:Forward Execution Time (us) : 118.098 channel_shuffle_test_round_5.log:Forward Execution Time (us) : 120.020 channel_shuffle_test_round_6.log:Forward Execution Time (us) : 118.721 channel_shuffle_test_round_6.log:Forward Execution Time (us) : 117.861 channel_shuffle_test_round_7.log:Forward Execution Time (us) : 119.729 channel_shuffle_test_round_7.log:Forward Execution Time (us) : 119.001 channel_shuffle_test_round_8.log:Forward Execution Time (us) : 119.005 channel_shuffle_test_round_8.log:Forward Execution Time (us) : 117.391 channel_shuffle_test_round_9.log:Forward Execution Time (us) : 858.333 channel_shuffle_test_round_9.log:Forward Execution Time (us) : 117.732 ``` ### Versions Versions ``` PyTorch version: 2.6.0.dev20241224+cpu Is debug build: False CUDA used to build PyTorch: None ROCM used to build PyTorch: N/A OS: Ubuntu 20.04.6 LTS (x86_64) GCC version: (Ubuntu 9.4.0-1ubuntu1~20.04.2) 9.4.0 Clang version: Could not collect CMake version: version 3.16.3 Libc version: glibc-2.31 Python version: 3.9.21 | packaged by conda-forge | (main, Dec 5 2024, 13:51:40) [GCC 13.3.0] (64-bit runtime) Python platform: Linux-5.4.0-192-generic-x86_64-with-glibc2.31 Is CUDA available: False CUDA runtime version: No CUDA CUDA_MODULE_LOADING set to: N/A GPU models and configuration: No CUDA Nvidia driver version: No CUDA cuDNN version: No CUDA HIP runtime version: N/A MIOpen runtime version: N/A Is XNNPACK available: True CPU: Architecture: x86_64 CPU op-mode(s): 32-bit, 64-bit Byte Order: Little Endian Address sizes: 46 bits physical, 57 bits virtual CPU(s): 112 On-line CPU(s) list: 0-111 Thread(s) per core: 2 Core(s) per socket: 28 Socket(s): 2 NUMA node(s): 2 Vendor ID: GenuineIntel CPU family: 6 Model: 106 Model name: Intel(R) Xeon(R) Gold 6348 CPU @ 2.60GHz Stepping: 6 CPU MHz: 3400.001 CPU max MHz: 3500.0000 CPU min MHz: 800.0000 BogoMIPS: 5200.00 Virtualization: VT-x L1d cache: 2.6 MiB L1i cache: 1.8 MiB L2 cache: 70 MiB L3 cache: 84 MiB NUMA node0 CPU(s): 0-27,56-83 NUMA node1 CPU(s): 28-55,84-111 Vulnerability Gather data sampling: Mitigation; Microcode Vulnerability Itlb multihit: Not affected Vulnerability L1tf: Not affected Vulnerability Mds: Not affected Vulnerability Meltdown: Not affected Vulnerability Mmio stale data: Mitigation; Clear CPU buffers; SMT vulnerable Vulnerability Retbleed: Not affected Vulnerability Spec store bypass: Mitigation; Speculative Store Bypass disabled via prctl and seccomp Vulnerability Spectre v1: Mitigation; usercopy/swapgs barriers and __user pointer sanitization Vulnerability Spectre v2: Mitigation; Enhanced / Automatic IBRS; IBPB conditional; RSB filling; PBRSB-eIBRS SW sequence; BHI Vulnerable, KVM SW loop Vulnerability Srbds: Not affected Vulnerability Tsx async abort: Not affected Flags: fpu vme de pse tsc msr pae mce cx8 apic sep mtrr pge mca cmov pat pse36 clflush dts acpi mmx fxsr sse sse2 ss ht tm pbe syscall nx pdpe1gb rdtscp lm constant_tsc art arch_perfmon pebs bts rep_good nopl xtopology nonstop_tsc cpuid aperfmperf pni pclmulqdq dtes64 ds_cpl vmx smx est tm2 ssse3 sdbg fma cx16 xtpr pdcm pcid dca sse4_1 sse4_2 x2apic movbe popcnt tsc_deadline_timer aes xsave avx f16c rdrand lahf_lm abm 3dnowprefetch cpuid_fault epb cat_l3 invpcid_single ssbd mba ibrs ibpb stibp ibrs_enhanced tpr_shadow vnmi flexpriority ept vpid ept_ad fsgsbase tsc_adjust bmi1 avx2 smep bmi2 erms invpcid cqm rdt_a avx512f avx512dq rdseed adx smap avx512ifma clflushopt clwb intel_pt avx512cd sha_ni avx512bw avx512vl xsaveopt xsavec xgetbv1 xsaves cqm_llc cqm_occup_llc cqm_mbm_total cqm_mbm_local wbnoinvd dtherm ida arat pln pts hwp hwp_act_window hwp_epp hwp_pkg_req avx512vbmi umip pku ospke avx512_vbmi2 gfni vaes vpclmulqdq avx512_vnni avx512_bitalg tme avx512_vpopcntdq rdpid md_clear pconfig flush_l1d arch_capabilities Versions of relevant libraries: [pip3] numpy==1.26.4 [pip3] torch==2.6.0.dev20241224+cpu [pip3] torchaudio==2.6.0.dev20241224+cpu [pip3] torchvision==0.22.0.dev20241224+cpu [conda] numpy 1.26.4 pypi_0 pypi [conda] torch 2.6.0.dev20241224+cpu pypi_0 pypi [conda] torchaudio 2.6.0.dev20241224+cpu pypi_0 pypi [conda] torchvision 0.22.0.dev20241224+cpu pypi_0 pypi ``` cc @msaroufim @albanD @mruberry @jbschlosser @walterddr @mikaylagawarecki
needs reproduction,module: performance,module: nn,triaged
low
Critical
2,759,461,577
tensorflow
failed to make cuFFT batched plan:5
Hi, I installed nvidia-docker images and used tensorflow2.9.1 (as below). ![1735200614747](https://github.com/user-attachments/assets/25e1d5bc-0dd1-4571-b7c4-d2c4c79f2d20) The container created by this images works fine on GTX-1080-Tiใ€RTX-3080ใ€A10 or A100 GPU, but when we use it on L40 GPU, it give the following error: >>> import numpy as np >>> import tensorflow as tf 2024-12-26 16:21:08.701508: I tensorflow/core/util/util.cc:169] oneDNN custom operations are on. You may see slightly different numerical results due to floating-point round-off errors from different computation o rders. To turn them off, set the environment variable `TF_ENABLE_ONEDNN_OPTS=0`. >>> gpus = tf.config.experimental.list_physical_devices(device_type='GPU') >>> for gpu in gpus: ... tf.config.experimental.set_memory_growth(gpu, True) ... >>> x = tf.constant(np.random.rand(1, 1600), dtype=tf.float32) 2024-12-26 16:21:57.835357: I tensorflow/core/platform/cpu_feature_guard.cc:194] This TensorFlow binary is optimized with oneAPI Deep Neural Network Library (oneDNN) to use the following CPU instructions in perfor mance-critical operations: SSE3 SSE4.1 SSE4.2 AVX To enable them in other operations, rebuild TensorFlow with the appropriate compiler flags. 2024-12-26 16:21:58.194129: I tensorflow/core/common_runtime/gpu/gpu_device.cc:1532] Created device /job:localhost/replica:0/task:0/device:GPU:0 with 43151 MB memory: -> device: 0, name: NVIDIA L40, pci bus id: 0 000:b1:00.0, compute capability: 8.9 >>> y = tf.signal.stft(x, 400, 160, 512) 2024-12-26 16:22:10.408524: E tensorflow/stream_executor/cuda/cuda_fft.cc:225] failed to make cuFFT batched plan:5 2024-12-26 16:22:10.408568: E tensorflow/stream_executor/cuda/cuda_fft.cc:430] Initialize Params: rank: 1 elem_count: 512 input_embed: 512 input_stride: 1 input_distance: 512 output_embed: 257 output_stride: 1 out put_distance: 257 batch_count: 8 2024-12-26 16:22:10.408584: F tensorflow/stream_executor/cuda/cuda_fft.cc:439] failed to initialize batched cufft plan with customized allocator: Failed to make cuFFT batched plan. Aborted (core dumped) It seems the operation `tf.signal.stft` can not work on L40 GPU ๏ผˆit's ok on the same machine with CPU๏ผ‰, what's wrong? And you can see, even add **allow memory growth** as this issue [https://github.com/ContinuumIO/anaconda-issues/issues/11628](url) described, it does't work at all.
TF 2.9
medium
Critical
2,759,484,185
pytorch
Can't script a tensorrt model
### ๐Ÿ› Describe the bug I am a newbie for pytorch. I try to use tensorrt to optimize the model and save it as trt engine(*.plan). I tried the following: torch -> trt model -> torch script -> trt engine try to script a tensorrt model ``` class Model(nn.Module): def __init__(self): super(Model, self).__init__() def forward(self, x: torch.Tensor): x = x * 2 return x if __name__ == '__main__': device = torch.device("cuda:0" if torch.cuda.is_available() else "cpu") model = Model().eval().cuda() trt_model = torch.compile(model, backend="tensorrt") script_model = torch.jit.script(trt_model) script_model.save("script_model.ts") trt_engine = torch_tensorrt.ts.convert_method_to_trt_engine(script_model, inputs= [torch_tensorrt.Input((1,10))]) with open(f"trt_engine.plan", 'wb') as f: f.write(trt_engine) print("model plan saved") ``` but in `script_model = torch.jit.script(trt_model)` get error > Traceback (most recent call last): File "/ossfs/workspace/MetaGR/trt/build_trt_engine.py", line 138, in <module> script_model = torch.jit.script(trt_model) File "/opt/conda/envs/*/lib/python3.10/site-packages/torch/jit/_script.py", line 1429, in script ret = _script_impl( File "/opt/conda/envs/*/lib/python3.10/site-packages/torch/jit/_script.py", line 1147, in _script_impl return torch.jit._recursive.create_script_module( File "/opt/conda/envs/*/lib/python3.10/site-packages/torch/jit/_recursive.py", line 555, in create_script_module concrete_type = get_module_concrete_type(nn_module, share_types) File "/opt/conda/envs/*/lib/python3.10/site-packages/torch/jit/_recursive.py", line 504, in get_module_concrete_type concrete_type = concrete_type_store.get_or_create_concrete_type(nn_module) File "/opt/conda/envs/*/lib/python3.10/site-packages/torch/jit/_recursive.py", line 436, in get_or_create_concrete_type concrete_type_builder = infer_concrete_type_builder(nn_module) File "/opt/conda/envs/*/lib/python3.10/site-packages/torch/jit/_recursive.py", line 396, in infer_concrete_type_builder attr_type, inferred = infer_type(name, value) File "/opt/conda/envs/*/lib/python3.10/site-packages/torch/jit/_recursive.py", line 228, in infer_type ann_to_type = torch.jit.annotations.ann_to_type( File "/opt/conda/envs/*/lib/python3.10/site-packages/torch/jit/annotations.py", line 516, in ann_to_type raise ValueError(f"Unknown type annotation: '{ann}' at {loc.highlight()}") ValueError: Unknown type annotation: 'Callable[..., Any]' at I tried to find the reason. When name is` _torchdynamo_orig_callable`, the error occurs. torch/jit/_recursive.py ``` def infer_concrete_type_builder(nn_module, share_types=True): ... for name, value in nn_module.__dict__.items(): ... attr_type, inferred = infer_type(name, value) ``` And I printed the __dict__.items() of `model` and `trt_model`, and found that there is no `_torchdynamo_orig_callable` in `model`, but there is in `trt_model`. I donโ€™t know what to do next. ### Versions Collecting environment information... PyTorch version: 2.5.1+cu124 Is debug build: False CUDA used to build PyTorch: 12.4 ROCM used to build PyTorch: N/A OS: Alibaba Group Enterprise Linux Server 7.2 (Paladin) (x86_64) GCC version: (GCC) 10.2.1 20200825 (Alibaba 10.2.1-3 2.17) Clang version: Could not collect CMake version: version 3.26.4 Libc version: glibc-2.32 Python version: 3.10.14 (main, May 6 2024, 19:42:50) [GCC 11.2.0] (64-bit runtime) Python platform: Linux-4.9.151-015.ali3000.alios7.x86_64-x86_64-with-glibc2.32 Is CUDA available: True CUDA runtime version: 12.4.131 CUDA_MODULE_LOADING set to: LAZY GPU models and configuration: GPU 0: A10-1-PCIE-24GB-XGB-V Nvidia driver version: 470.82.01 cuDNN version: Could not collect HIP runtime version: N/A MIOpen runtime version: N/A Is XNNPACK available: True CPU: Architecture: x86_64 CPU op-mode(s): 32-bit, 64-bit Byte Order: Little Endian CPU(s): 128 On-line CPU(s) list: 0-127 Thread(s) per core: 2 Core(s) per socket: 32 Socket(s): 2 NUMA node(s): 2 Vendor ID: GenuineIntel CPU family: 6 Model: 106 Model name: Intel(R) Xeon(R) Platinum 8369B CPU @ 2.90GHz Stepping: 6 CPU MHz: 3499.859 CPU max MHz: 3500.0000 CPU min MHz: 800.0000 BogoMIPS: 5800.00 Virtualization: VT-x L1d cache: 48K L1i cache: 32K L2 cache: 1280K L3 cache: 49152K NUMA node0 CPU(s): 0-31,64-95 NUMA node1 CPU(s): 32-63,96-127 Flags: fpu vme de pse tsc msr pae mce cx8 apic sep mtrr pge mca cmov pat pse36 clflush dts acpi mmx fxsr sse sse2 ss ht tm pbe syscall nx pdpe1gb rdtscp lm constant_tsc art arch_perfmon pebs bts rep_good nopl xtopology nonstop_tsc aperfmperf pni pclmulqdq dtes64 monitor ds_cpl vmx smx est tm2 ssse3 sdbg fma cx16 xtpr pdcm pcid dca sse4_1 sse4_2 x2apic movbe popcnt tsc_deadline_timer aes xsave avx f16c rdrand lahf_lm abm 3dnowprefetch epb invpcid_single ssbd mba ibrs ibpb stibp tpr_shadow vnmi flexpriority ept vpid fsgsbase tsc_adjust bmi1 hle avx2 smep bmi2 erms invpcid rtm cqm rdt_a avx512f avx512dq rdseed adx smap avx512ifma clflushopt clwb intel_pt avx512cd sha_ni avx512bw avx512vl xsaveopt xsavec xgetbv1 xsaves cqm_llc cqm_occup_llc cqm_mbm_total cqm_mbm_local dtherm ida arat pln pts hwp hwp_act_window hwp_epp hwp_pkg_req avx512vbmi pku ospke avx512_vbmi2 gfni vaes vpclmulqdq avx512_vnni avx512_bitalg avx512_vpopcntdq pconfig flush_l1d arch_capabilities Versions of relevant libraries: [pip3] lion-pytorch==0.2.2 [pip3] numpy==1.26.4 [pip3] nvidia-cublas-cu12==12.4.5.8 [pip3] nvidia-cuda-cupti-cu12==12.4.127 [pip3] nvidia-cuda-nvrtc-cu12==12.4.127 [pip3] nvidia-cuda-runtime-cu12==12.4.127 [pip3] nvidia-cudnn-cu12==9.1.0.70 [pip3] nvidia-cufft-cu12==11.2.1.3 [pip3] nvidia-curand-cu12==10.3.5.147 [pip3] nvidia-cusolver-cu12==11.6.1.9 [pip3] nvidia-cusparse-cu12==12.3.1.170 [pip3] nvidia-nccl-cu12==2.21.5 [pip3] nvidia-nvjitlink-cu12==12.4.127 [pip3] nvidia-nvtx-cu12==12.4.127 [pip3] pytorch-lightning==1.9.5 [pip3] pytorch-triton==3.0.0+dedb7bdf33 [pip3] torch==2.5.1 [pip3] torch_no_python==2.5.0.dev20240816+cu121 [pip3] torch_tensorrt==2.5.0.dev20240816+cu121 [pip3] torchao==0.7.0+git75f52ae7 [pip3] torchinfo==1.8.0 [pip3] torchmetrics==1.4.1 [pip3] torchvision==0.20.1 [pip3] triton==3.1.0 [conda] lion-pytorch 0.2.2 pypi_0 pypi [conda] numpy 1.26.4 pypi_0 pypi [conda] nvidia-cublas-cu12 12.4.5.8 pypi_0 pypi [conda] nvidia-cuda-cupti-cu12 12.4.127 pypi_0 pypi [conda] nvidia-cuda-nvrtc-cu12 12.4.127 pypi_0 pypi [conda] nvidia-cuda-runtime-cu12 12.4.127 pypi_0 pypi [conda] nvidia-cudnn-cu12 9.1.0.70 pypi_0 pypi [conda] nvidia-cufft-cu12 11.2.1.3 pypi_0 pypi [conda] nvidia-curand-cu12 10.3.5.147 pypi_0 pypi [conda] nvidia-cusolver-cu12 11.6.1.9 pypi_0 pypi [conda] nvidia-cusparse-cu12 12.3.1.170 pypi_0 pypi [conda] nvidia-nccl-cu12 2.21.5 pypi_0 pypi [conda] nvidia-nvjitlink-cu12 12.4.127 pypi_0 pypi [conda] nvidia-nvtx-cu12 12.4.127 pypi_0 pypi [conda] pytorch-lightning 1.9.5 pypi_0 pypi [conda] pytorch-triton 3.0.0+dedb7bdf33 pypi_0 pypi [conda] torch 2.5.1 pypi_0 pypi [conda] torch-no-python 2.5.0.dev20240816+cu121 pypi_0 pypi [conda] torch-tensorrt 2.5.0.dev20240816+cu121 pypi_0 pypi [conda] torchao 0.7.0+git75f52ae7 pypi_0 pypi [conda] torchinfo 1.8.0 pypi_0 pypi [conda] torchmetrics 1.4.1 pypi_0 pypi [conda] torchvision 0.20.1 pypi_0 pypi [conda] triton 3.1.0 pypi_0 pypi cc @EikanWang @jgong5 @wenzhe-nrv @sanchitintel
oncall: jit
low
Critical