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,709,677,218
rust
"rustc-LLVM ERROR" when using `_mm_cvttps_epi32` on x86_64-unknown-none
<!-- Thank you for filing a bug report! ๐Ÿ› Please provide a short summary of the bug, along with any information you feel relevant to replicating the bug. --> I tried this code: ```rust #![no_std] use core::arch::x86_64::*; pub unsafe fn func() -> __m128i { _mm_cvttps_epi32(_mm_setzero_ps()) } ``` It builds fine on x86_64-unknown-linux-gnu, but fails on x86_64-unknown-none: ``` rustc-LLVM ERROR: Do not know how to split the result of this operator! ``` Adding `#[target_feature(enable = "sse2")]` or using `-C target-feature=+sse2` does not prevent the error. ### Meta <!-- If you're using the stable version of the compiler, you should also check if the bug also exists in the beta or nightly versions. --> `rustc --version --verbose`: ``` rustc 1.85.0-nightly (7442931d4 2024-11-30) binary: rustc commit-hash: 7442931d49b199ad0a1cc0f8ca54e327b5139b66 commit-date: 2024-11-30 host: x86_64-unknown-linux-gnu release: 1.85.0-nightly LLVM version: 19.1.4 ```
O-x86_64,T-compiler,C-bug,A-target-feature
low
Critical
2,709,682,319
rust
non-`#[macro_export]`'ed `macro_rules!` macros are impossible to disambiguate from built-in attributes in `use` declarations
I tried this code: ```rust macro_rules! warn { () => {} } pub(crate) use warn; fn main() { } ``` I expected it to compile. Instead, it produces an error like this: ```qualify error[E0659]: `warn` is ambiguous --> src/main.rs:3:16 | 3 | pub(crate) use warn; | ^^^^ ambiguous name | = note: ambiguous because of a name conflict with a builtin attribute = note: `warn` could refer to a built-in attribute note: `warn` could also refer to the macro defined here --> src/main.rs:1:1 | 1 | macro_rules! warn { () => {} } | ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ ``` `macro_rules` are impossible to qualify it as `self::warn` or `crate::warn` or `super::warn`. `use r#warn` doesn't do anything useful too. The only thing you can do is something stupid like this: ```rust macro_rules! warn_hack { ($($tt:tt)*) => { warn!($($tt)*) } } pub(crate) use warn_hack as warn; ``` This will work, the fact that it works like that is why I consider this a bug. ### Meta Occurs on all versions with `--edition 2018` or later.
A-attributes,A-macros,T-lang,C-bug
low
Critical
2,709,686,376
excalidraw
Copy and paste items do not snap to grid properly
Whenever I duplicate something using the alt key specifically it is pasted off-grid, forcing me to move it manually back onto it. https://github.com/user-attachments/assets/f9de378c-c520-44d8-9971-50873fe44109 The video displays the behaviour in Obsidian-excalidraw, but the same thing happens on the site. This behaviour is quite inconsistant, never really happening if no hand drawn vectors are selected, and sometimes when there are. In obsidian I'm running version 2.6.7, not sure how to check version information on the site
bug
low
Minor
2,709,752,589
rust
keyword-idents is incompatible with macros
The `keyword_idents` lint has incorrect suggestions in macro_rules macros (there are potentially separate concerns for the definition versus invocation). It suggests changing a new keyword to the raw identifier, but this is a semantic change (see #49520). ## LHS Definition Consider: ```rust // edition 2021 #![warn(keyword_idents)] #[macro_export] macro_rules! m { (gen) => {}; } ``` This suggests changing it to a raw identifier: ```diff @@ -1,5 +1,5 @@ #![warn(keyword_idents)] #[macro_export] macro_rules! m { - (gen) => {}; + (r#gen) => {}; } ``` However, this is a semantic change because macro_rules does not treat an equivalence between raw and normal identifiers (or keywords). Thus, another crate using this macro: ```rust // any edition m!(gen); ``` will fail with the error "no rules expected `gen`", or "no rules expected reserved keyword `gen`" in 2024. ## Invocation Perhaps more difficult to resolve is the rewrites for an invocation. Let's say we have a crate (any edition), with something like: ```rust // crate a, any edition #[macro_export] macro_rules! other_macro { (gen) => {}; } ``` and then I am trying to migrate my crate to 2024: ```rust // edition 2021 #![warn(keyword_idents)] a::other_macro!(gen); ``` This will suggest to change it to `a::other_macro!(r#gen)`, which is incorrect because that does not match any matchers. I say this is more difficult, because there are some situations where changing the invocation is the correct thing to do. Consider: ```rust // crate a, any edition #[macro_export] macro_rules! other_macro { ($e:stmt) => {}; } ``` and trying to migrate another crate to 2024: ```rust // edition 2021 #![warn(keyword_idents)] a::other_macro!(let gen = 1); ``` this gives the **correct** suggestion to rewrite it to `a::other_macro!(let r#gen = 1);`, which would fail to compile if it wasn't changed. ## Possible solutions There are different angles to tackle this problem: - Changing the suggestions provided by keyword_idents. - Changing the behavior of macros. The latter seems like a bigger can of worms. For the former, some rough thoughts: - Don't suggest changes on the LHS of a macro_rules matcher. This is clearly a semantics change. - Detect the situations where changing an invocation is incorrect, and avoid those suggestions. No idea how feasible that is. ## Meta ``` rustc 1.85.0-nightly (7442931d4 2024-11-30) binary: rustc commit-hash: 7442931d49b199ad0a1cc0f8ca54e327b5139b66 commit-date: 2024-11-30 host: aarch64-apple-darwin release: 1.85.0-nightly LLVM version: 19.1.4 ```
A-lints,A-macros,T-compiler,C-bug,A-suggestion-diagnostics,D-invalid-suggestion,D-edition,A-edition-2024,L-keyword_idents_2024,L-keyword_idents,I-edition-triaged
low
Critical
2,709,812,205
PowerToys
Image Resizer edit setting Percent issue
### Microsoft PowerToys version 0.86.0 ### Installation method GitHub ### Running as admin Yes ### Area(s) with issue? Image Resizer ### Steps to reproduce Editing preset or add new size, in this setting the "PERCENT" unit stays on width parameter, before it change to precent option and image reduced the desire percent in width and height based on percent, not a fixed width. ![Image](https://github.com/user-attachments/assets/6c48c428-7083-4945-8757-122880ebe6a9) ### โœ”๏ธ Expected Behavior Input desire percent value instead of a fixed width like before. ### โŒ Actual Behavior Images resize to a fixed width instead of percent based option. ### Other Software _No response_
Issue-Bug,Product-Image Resizer,Needs-Triage,Status-Reproducible
low
Minor
2,709,840,606
flutter
Add `ListenableBuilder.all` to make it easier to listen to multiple listenables
### Use case Here's how you can listen to multiple `Listenable`s today. #### Option 1 - multiple `ListenableBuilder`s ```dart @override Widget build(BuildContext context) { return ListenableBuilder( listenable: model1, builder: (context, _) { return ListenableBuilder( listenable: model2, builder: (context, _) { return Text('Values: $model1, $model2'); }, ); }, ); } ``` This option is easy to discover but verbose. #### Option 2 - `Listenable.merge` ```dart @override Widget build(BuildContext context) { return ListenableBuilder( listenable: Listenable.merge([model1, model2]), builder: (context, _) { return Text('Values: $model1, $model2'); }, ); } ``` This option is significantly less verbose. However, this option is hard to discover. ### Proposal 1. **Introduce `ListenableBuilder.all`**, which invokes its `builder` when one or more `Listenable`s change. Example: ```dart @override Widget build(BuildContext context) { return ListenableBuilder.all( listenables: [model1, model2], builder: (context, _) { return Text('Values: $model1, $model2'); }, ); } ``` This is similar to the `Listenable.merge` option, however, it is easier to discover from the `ListenableBuilder` type. If we do this change, we should also update `AnimatedBuilder`. 1. Update `ListenableBuilder`s docs to show how to listen to multiple `Listenable`s.
framework,c: proposal,P2,team-framework,triaged-framework
low
Minor
2,709,849,037
opencv
Match Camera Index and Name on MacOS
### Describe the feature and motivation I have a builtin camera and a USB webcam connected to my MacOS. Here is a result of `system_profiler SPCameraDataType -xml` command: ``` <?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd"> <plist version="1.0"> <array> <dict> <key>_SPCommandLineArguments</key> <array> <string>/usr/sbin/system_profiler</string> <string>-nospawn</string> <string>-xml</string> <string>SPCameraDataType</string> <string>-detailLevel</string> <string>full</string> </array> <key>_SPCompletionInterval</key> <real>1.1997909545898438</real> <key>_SPResponseTime</key> <real>1.2810090780258179</real> <key>_dataType</key> <string>SPCameraDataType</string> <key>_detailLevel</key> <integer>-1</integer> <key>_items</key> <array> <dict> <key>_name</key> <string>USB Camera</string> <key>spcamera_model-id</key> <string>UVC Camera VendorID_3141 ProductID_25453</string> <key>spcamera_unique-id</key> <string>0x11000000c45636d</string> </dict> <dict> <key>_name</key> <string>FaceTime HD Camera</string> <key>spcamera_model-id</key> <string>FaceTime HD Camera</string> <key>spcamera_unique-id</key> <string>EAB7A68F-EC2B-4487-AADF-D8A91C1CB782</string> </dict> </array> <key>_parentDataType</key> <string>SPHardwareDataType</string> <key>_properties</key> <dict> <key>_name</key> <dict> <key>_isColumn</key> <string>NO</string> <key>_isOutlineColumn</key> <string>NO</string> <key>_order</key> <string>0</string> </dict> <key>spcamera</key> <dict> <key>_order</key> <string>10</string> </dict> <key>spcamera_model-id</key> <dict> <key>_order</key> <string>30</string> </dict> <key>spcamera_unique-id</key> <dict> <key>_order</key> <string>40</string> </dict> <key>volumes</key> <dict> <key>_detailLevel</key> <string>0</string> </dict> </dict> <key>_timeStamp</key> <date>2024-11-29T21:57:28Z</date> <key>_versionInfo</key> <dict> <key>com.apple.SystemProfiler.SPCameraReporter</key> <string>1.2.0</string> </dict> </dict> </array> </plist> ``` As you can see, I have a couple of video input devices: `USB Camera` & `FaceTime HD Camera` The problem is that when I use `cap = cv2.VideoCapture(0)`, it uses the `FaceTime HD Camera`. Can we match the camera index in OpenCV with the camera names? P.S. I tried *ffmpeg**, but it returned similar result: ![image](https://github.com/user-attachments/assets/fc1ecdb1-2cef-4898-b59b-3d38360d932b) `ioreg | grep -i cam` result: ![image](https://github.com/user-attachments/assets/1471101f-2d3b-4809-862f-9c10e9cbe417) ### Additional context _No response_
feature,platform: ios/osx
low
Minor
2,709,851,421
go
cmd/go,x/telemetry/config: collect vcs systems used
### Summary I propose we collect a count of whether each vcs system (git, hg, svn, fossil, bzr) was used recently. I question the continued value of supporting the less used systems (e.g. bazaar, cmd/go special cases launchpad.net, but I believe it has switched primarily to git now). ### Proposed Config Change -
NeedsInvestigation,Telemetry-Proposal
low
Major
2,709,856,593
rust
Poor diagnostic when using = instead of : in let bindings
### Code 1. ```rs let last = u64 = 0; ``` 2. ```rs let val = u64; ``` ### Current output 1. ```shell error[E0423]: expected value, found builtin type `u64` --> src/main.rs:21:24 | 21 | let last = u64 = 0; | ^^^ | help: you might have meant to introduce a new binding | 21 | let last = let u64 = 0; | +++ ``` 2. ```shell error[E0423]: expected value, found builtin type `u64` --> src/main.rs:21:20 | 21 | let last = u64; | ^^^ not a value ``` ### Desired output 1. ```shell error[E0423]: expected value, found builtin type `u64` --> src/main.rs:21:24 | 21 | let last = u64 = 0; | ^^^ | help: you might have meant to use `:` instead of `=` | 21 | let last: u64 = 0; | + note: type annotations use `:` instead of `=` (https://doc.rust-lang.org/reference/statements.html#expression-statements) ``` 2. ```shell error[E0423]: expected value, found builtin type `u64` --> src/main.rs:21:20 | 21 | let last = u64; | ^^^ not a value help: you might have meant to use `:` instead of `=` note: type annotations use `:` instead of `=` (https://doc.rust-lang.org/reference/statements.html#expression-statements) ``` ### Rationale and extra context This is a silly mistake to make and also simple to detect and autofix. ### Other cases ```Rust ``` ### Rust Version ```Shell 1.85.0-nightly (4c39aaff6 2024-11-25) ``` ### Anything else? @rustbot label +D-incorrect +D-confusing +A-parser
A-diagnostics,A-parser,T-compiler,D-confusing,D-incorrect
low
Critical
2,709,918,239
rust
`std::marker::Freeze` disallows blanket impl since it "could be implemented on `Cell` and `UnsafeCell` in the future"
<!-- Thank you for filing a bug report! ๐Ÿ› Please provide a short summary of the bug, along with any information you feel relevant to replicating the bug. --> I tried this code: ```rust #![feature(freeze)] use std::{cell::Cell, marker::Freeze}; unsafe trait IntoFreeze { type Frozen: Freeze; } unsafe impl<T: Freeze> IntoFreeze for T { type Frozen = T; } unsafe impl<T: IntoFreeze> IntoFreeze for Cell<T> { type Frozen = T::Frozen; } ``` I expected to see this happen: Code should compile since Freeze will never be implemented for `Cell` and `UnsafeCell`. Instead, this happened: ``` error[E0119]: conflicting implementations of trait `IntoFreeze` for type `Cell<_>` --> src/lib.rs:12:1 | 8 | unsafe impl<T: Freeze> IntoFreeze for T { | --------------------------------------- first implementation here ... 12 | unsafe impl<T: IntoFreeze> IntoFreeze for Cell<T> { | ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ conflicting implementation for `Cell<_>` | = note: upstream crates may add a new impl of trait `std::marker::Freeze` for type `std::cell::Cell<_>` in future versions For more information about this error, try `rustc --explain E0119`. ``` ### Meta <!-- If you're using the stable version of the compiler, you should also check if the bug also exists in the beta or nightly versions. --> `rustc --version --verbose`: ``` 1.85.0-nightly (2024-11-30 7442931d49b199ad0a1c) ```
T-compiler,C-bug,F-freeze
low
Critical
2,709,930,789
godot
TileMapLayer's grid and placed tiles are positioned incorrectly inside CanvasLayer with "Follow Viewport" enabled
### Tested versions - Reproducible in: v4.3.stable.official [77dcf97d8], v4.2.1.stable.mono.official [b09f793f5] - Not reproducible in: v3.6.stable.official [de2f0f147] ### System information Windows 11 - Godot 4.3 Compatibility ### Issue description I have the following scene: ![Image](https://github.com/user-attachments/assets/740698c3-c9b1-48e9-b0fa-c378cc09595b) There is a TileMap node and a CanvasLayer parent node. Everything is set to default values except for the CanvasLayer's "Follow Viewport," which is enabled, and "Scale," which is set to 2 (can be any value above 1). Here are the values in the inspector: ![Image](https://github.com/user-attachments/assets/69bddc7b-45a3-4adc-98f6-eb418acc2d13) Now, if we select a tile and hover over the scene, we can see a preview of where it will be placed. However, when we click, the tile is placed in a different position. The grid has the same issue. ![Image](https://github.com/user-attachments/assets/8ff1200e-32b7-4988-9f53-32f245e46121) Enabling the **View -> Preview Canvas Scale** option does not resolve the issue. The preview and the grid remain misaligned with the placed tile. ![Image](https://github.com/user-attachments/assets/9af03494-42ba-4a1c-b2c8-74392a6b11f9) ### Conclusion This issue makes it impossible to work on larger scenes because the farther the distance from the center of the scene, the worse the problem becomes. At some point, the placed tile is completely off-screen. The only solution at the moment is to disable the "Follow Viewport" option, draw the tiles, and then enable it again. ![Image](https://github.com/user-attachments/assets/44a6ab6f-5267-4abe-a995-95374d70b5f0) ### Testing Godot 3 Here is how it looks in Godot **3.6** (v3.6.stable.official [de2f0f147]). The grid is positioned correctly, and the preview matches the actual position of the placed tile. ![Image](https://github.com/user-attachments/assets/485aa133-b6ae-4838-94fe-87d2f822ea42) If I enable the **Preview Canvas Scale** option, the alignment starts to be misaligned. However it doesn't break when we are far away from scene zero coordinates. ![Image](https://github.com/user-attachments/assets/2d6c834b-396d-472b-ab8d-627b8ba0cdad) ### Side notes - It's also broken with the old (and deprecated) TileMap node ### Steps to reproduce 1. Open "main_scene.tscn" 2. Select "Broken_TileMapLayer" 3. Select any tile on the Tile Map panel 4. Hower over the scene to see the preview and try to place the tile 5. You can also select the "Working_TileMapLayer" to see how it works without CanvasLayer as a parent It might not be visible if camera is positioned perfectly at zero coordinates, so you should move it. You can also enable grid to see that it's also misaligned: ![Image](https://github.com/user-attachments/assets/de7968b3-52fa-40db-904e-9616a1cc1ca8) ### Minimal reproduction project (MRP) [canvaslayer-and-tilemap-issue.zip](https://github.com/user-attachments/files/17970402/canvaslayer-and-tilemap-issue.zip)
bug,topic:editor,topic:2d
low
Critical
2,709,933,402
vscode
[Feature request] [Testing] Add again the "expand/collapse" feature in Test Explorer UI
<!-- โš ๏ธโš ๏ธ 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. --> The old Test Explorer UI had a "expand tree" in the test list, as well as a "collapse tree" feature ![Image](https://github.com/user-attachments/assets/53c59502-95fd-477a-ab66-e84fd0767e79) The new Test Explorer UI have only a "collapse" feature, and it is hidden on a context menu ![Image](https://github.com/user-attachments/assets/c5a6188a-85e3-4916-ba20-1532a7f0fe08) Please, come back with the "expand/collapse" feature, like some other views
feature-request,testing
low
Minor
2,709,941,348
opencv
python binding: displayOverlay doesn't disappear from the display unless a mouse move event happens over the image
### System Information opencv: 4.10.0 os: debian 12 python 3.12.7 ### Detailed description Expected behaviour: an overlay should be displayed atop an image and then disappear after delayms has timed out but doesn't. Also, displayStatusBar doesn't appear to set any text on the window. Actual: the overlay appears but doesn't disappear unless a mouse move event happens on the image Workaround / fix I have to send a flag to `namedWindow`, either `cv2.WINDOW_GUI_EXPANDED` or `cv2.WINDOW_NORMAL` and call displayStatus bar and set the same timeout value, to get the overlay to disappear without the mouse move event needed. Presumably this method must be calling something that displayOverlay doesn't. If I use different timeout values in the two method calls, the overlay doesn't disappear. ### Steps to reproduce For example, this code should display an image, display an overlay for 1.5s and then disappear. ```python import cv2 im = cv2.imread('foo.png') cv2.namedWindow('asdf', cv2.WINDOW_GUI_EXPANDED) cv2.imshow('asdf', im) cv2.displayOverlay('asdf', 'look at this overlay!', 1500) cv2.waitKey(0) ``` The overlay appears but doesn't vanish unless I move the mouse cursor across the image. The overlay disappears with the addition of the displayStatusBar call: ```python import cv2 im = cv2.imread('foo.png') cv2.namedWindow('asdf', cv2.WINDOW_GUI_EXPANDED) cv2.imshow('asdf', im) cv2.displayOverlay('asdf', 'look at this overlay!', 1500) # the timeout values must be the same between the two calls cv2.displayStatusBar('asdf', 'asdf', 1500) # doesn't appear to set any text in status bar neither cv2.waitKey(0) ``` ### Issue submission checklist - [X] I report the issue, it's not a question - [X] I checked the problem with documentation, FAQ, open issues, forum.opencv.org, Stack Overflow, etc and have not found any solution - [X] I updated to the latest OpenCV version and the issue is still there - [X] There is reproducer code and related data files (videos, images, onnx, etc)
bug
low
Major
2,709,946,661
rust
Confusing diagnostics with nested precise capturing RPIT
### Code ```Rust #![feature(impl_trait_in_fn_trait_return)] trait Foo {} impl Foo for &() {} fn foo<'a>(u: &'a ()) -> impl FnOnce() -> (impl Foo + use<'a>) + use<'a> { move || u } ``` ### Current output ```shell error[E0700]: hidden type for `impl Foo` captures lifetime that does not appear in bounds --> src/main.rs:7:13 | 6 | fn foo<'a>(u: &'a ()) -> impl FnOnce() -> (impl Foo + use<'a>) + use<'a> { | ------------------ opaque type defined here 7 | move || u | ^ | = note: hidden type `&()` captures lifetime `'_` error[E0720]: cannot resolve opaque type --> src/main.rs:6:44 | 6 | fn foo<'a>(u: &'a ()) -> impl FnOnce() -> (impl Foo + use<'a>) + use<'a> { | ^^^^^^^^^^^^^^^^^^ recursive opaque type 7 | move || u | --------- returning here with type `{closure@src/main.rs:7:5: 7:12}` ``` ### Desired output ``` ``` ### Rationale and extra context I assume using precise capturing in this position isn't meant to be supported. Both of these diagnostics seem inaccurate. The first is talking about some elided lifetime, when the only relevant lifetime is named. The second is claiming that the return type is recursive when it _obviously_ isn't. This disappears when getting rid of the inner `use<'a>` so is somehow triggered by using that in this location. Equivalent-ish code avoiding the closure traits compiles successfully on stable: ```rust trait Foo {} trait Bar { type Foo: Foo; } impl Foo for &() {} impl Bar for &() { type Foo = Self; } fn foo<'a>(u: &'a ()) -> impl Bar<Foo = impl Foo + use<'a>> + use<'a> { u } ``` ### Other cases ```Rust ``` ### Rust Version ```Shell 1.85.0-nightly (2024-11-30 7442931d49b199ad0a1c) ``` ### Anything else? _No response_
A-diagnostics,T-compiler,requires-nightly,D-confusing,F-impl_trait_in_fn_trait_return
low
Critical
2,710,004,488
rust
ICE with cyclic type
### Code ```Rust /// what's funny is that this code was suggested by chatgpt enum HierarchicalItem<T, I> { Element(T), Group(I), } struct HierarchicalIterator<I, T> where I: Iterator<Item = HierarchicalItem<T, I>>, { stack: Vec<I>, } impl<I, T> HierarchicalIterator<I, T> where I: Iterator<Item = HierarchicalItem<T, I>>, { fn new(root: I) -> Self { Self { stack: vec![root] } } } impl<I, T> Iterator for HierarchicalIterator<I, T> where I: Iterator<Item = HierarchicalItem<T, I>>, { type Item = T; fn next(&mut self) -> Option<Self::Item> { while let Some(current_iter) = self.stack.last_mut() { match current_iter.next() { Some(HierarchicalItem::Element(item)) => return Some(item), Some(HierarchicalItem::Group(sub_iter)) => self.stack.push(sub_iter), None => { self.stack.pop(); } } } None // No more elements to iterate } } fn main() { use HierarchicalItem::*; let sub_group = vec![ Element(3), Element(4), Group(vec![Element(5), Element(6)].into_iter()), ]; let root_group = vec![ Element(1), Element(2), Group(sub_group.into_iter()), ]; let iter = HierarchicalIterator::new(root_group.into_iter()); let collected: Vec<_> = iter.collect(); println!("{:?}", collected); // Output: [1, 2, 3, 4, 5, 6] } ``` ### Meta <!-- If you're using the stable version of the compiler, you should also check if the bug also exists in the beta or nightly versions. --> `rustc --version --verbose`: ``` $ rustc --version --verbose rustc 1.85.0-nightly (7442931d4 2024-11-30) binary: rustc commit-hash: 7442931d49b199ad0a1cc0f8ca54e327b5139b66 commit-date: 2024-11-30 host: x86_64-unknown-linux-gnu release: 1.85.0-nightly LLVM version: 19.1.4 ``` ### Error output ``` error[E0271]: expected `IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, _>>>>>>` to be an iterator that yields `HierarchicalItem<_, IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, _>>>>>>>`, but it yields `HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, _>>>>>` --> src/main.rs:60:42 | 60 | let iter = HierarchicalIterator::new(root_group.into_iter()); | ------------------------- ^^^^^^^^^^^^^^^^^^^^^^ cyclic type of infinite size | | | required by a bound introduced by this call | note: required by a bound in `HierarchicalIterator::<I, T>::new` --> src/main.rs:16:17 | 16 | I: Iterator<Item = HierarchicalItem<T, I>>, | ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ required by this bound in `HierarchicalIterator::<I, T>::new` 17 | { 18 | fn new(root: I) -> Self { | --- required by a bound in this associated function error[E0271]: expected `IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, _>>>>>>` to be an iterator that yields `HierarchicalItem<_, IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, _>>>>>>>`, but it yields `HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, _>>>>>` --> src/main.rs:60:16 | 60 | let iter = HierarchicalIterator::new(root_group.into_iter()); | ^^^^^^^^^^^^^^^^^^^^ cyclic type of infinite size | note: required by a bound in `HierarchicalIterator` --> src/main.rs:9:17 | 7 | struct HierarchicalIterator<I, T> | -------------------- required by a bound in this struct 8 | where 9 | I: Iterator<Item = HierarchicalItem<T, I>>, | ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ required by this bound in `HierarchicalIterator` error[E0271]: expected `IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, _>>>>>>` to be an iterator that yields `HierarchicalItem<_, IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, _>>>>>>>`, but it yields `HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, IntoIter<HierarchicalItem<{integer}, _>>>>>` --> src/main.rs:60:16 | 60 | let iter = HierarchicalIterator::new(root_group.into_iter()); | ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ cyclic type of infinite size | note: required by a bound in `HierarchicalIterator` --> src/main.rs:9:17 | 7 | struct HierarchicalIterator<I, T> | -------------------- required by a bound in this struct 8 | where 9 | I: Iterator<Item = HierarchicalItem<T, I>>, | ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ required by this bound in `HierarchicalIterator` thread 'rustc' panicked at compiler/rustc_hir_typeck/src/method/suggest.rs:1185:35: internal error: entered unreachable code: encountered `Item(Item { ident: HierarchicalIterator#0, owner_id: DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator), kind: Struct(Struct { fields: [FieldDef { span: src/main.rs:11:5: 11:18 (#0), vis_span: src/main.rs:11:5: 11:5 (#0), ident: stack#0, hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).19), def_id: DefId(0:15 ~ rust_ice[6b9d]::HierarchicalIterator::stack), ty: Ty { hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).15), kind: Path(Resolved(None, Path { span: src/main.rs:11:12: 11:18 (#0), res: Def(Struct, DefId(5:7570 ~ alloc[86f5]::vec::Vec)), segments: [PathSegment { ident: Vec#0, hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).18), res: Def(Struct, DefId(5:7570 ~ alloc[86f5]::vec::Vec)), args: Some(GenericArgs { args: [Type(Ty { hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).16), kind: Path(Resolved(None, Path { span: src/main.rs:11:16: 11:17 (#0), res: Def(TyParam, DefId(0:13 ~ rust_ice[6b9d]::HierarchicalIterator::I)), segments: [PathSegment { ident: I#0, hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).17), res: Def(TyParam, DefId(0:13 ~ rust_ice[6b9d]::HierarchicalIterator::I)), args: None, infer_args: false }] })), span: src/main.rs:11:16: 11:17 (#0) })], constraints: [], parenthesized: No, span_ext: src/main.rs:11:15: 11:18 (#0) }), infer_args: false }] })), span: src/main.rs:11:12: 11:18 (#0) }, safety: Safe }], recovered: No }, Generics { params: [GenericParam { hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).13), def_id: DefId(0:13 ~ rust_ice[6b9d]::HierarchicalIterator::I), name: Plain(I#0), span: src/main.rs:7:29: 7:30 (#0), pure_wrt_drop: false, kind: Type { default: None, synthetic: false }, colon_span: None, source: Generics }, GenericParam { hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).14), def_id: DefId(0:14 ~ rust_ice[6b9d]::HierarchicalIterator::T), name: Plain(T#0), span: src/main.rs:7:32: 7:33 (#0), pure_wrt_drop: false, kind: Type { default: None, synthetic: false }, colon_span: None, source: Generics }], predicates: [WherePredicate { hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).1), span: src/main.rs:9:5: 9:47 (#0), kind: BoundPredicate(WhereBoundPredicate { origin: WhereClause, bound_generic_params: [], bounded_ty: Ty { hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).2), kind: Path(Resolved(None, Path { span: src/main.rs:9:5: 9:6 (#0), res: Def(TyParam, DefId(0:13 ~ rust_ice[6b9d]::HierarchicalIterator::I)), segments: [PathSegment { ident: I#0, hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).3), res: Def(TyParam, DefId(0:13 ~ rust_ice[6b9d]::HierarchicalIterator::I)), args: None, infer_args: false }] })), span: src/main.rs:9:5: 9:6 (#0) }, bounds: [Trait(PolyTraitRef { bound_generic_params: [], modifiers: TraitBoundModifiers { constness: Never, polarity: Positive }, trait_ref: TraitRef { path: Path { span: src/main.rs:9:8: 9:47 (#0), res: Def(Trait, DefId(2:8912 ~ core[c1d5]::iter::traits::iterator::Iterator)), segments: [PathSegment { ident: Iterator#0, hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).11), res: Def(Trait, DefId(2:8912 ~ core[c1d5]::iter::traits::iterator::Iterator)), args: Some(GenericArgs { args: [], constraints: [AssocItemConstraint { hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).10), ident: Item#0, gen_args: GenericArgs { args: [], constraints: [], parenthesized: No, span_ext: no-location (#0) }, kind: Equality { term: Ty(Ty { hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).4), kind: Path(Resolved(None, Path { span: src/main.rs:9:24: 9:46 (#0), res: Def(Enum, DefId(0:3 ~ rust_ice[6b9d]::HierarchicalItem)), segments: [PathSegment { ident: HierarchicalItem#0, hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).9), res: Def(Enum, DefId(0:3 ~ rust_ice[6b9d]::HierarchicalItem)), args: Some(GenericArgs { args: [Type(Ty { hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).5), kind: Path(Resolved(None, Path { span: src/main.rs:9:41: 9:42 (#0), res: Def(TyParam, DefId(0:14 ~ rust_ice[6b9d]::HierarchicalIterator::T)), segments: [PathSegment { ident: T#0, hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).6), res: Def(TyParam, DefId(0:14 ~ rust_ice[6b9d]::HierarchicalIterator::T)), args: None, infer_args: false }] })), span: src/main.rs:9:41: 9:42 (#0) }), Type(Ty { hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).7), kind: Path(Resolved(None, Path { span: src/main.rs:9:44: 9:45 (#0), res: Def(TyParam, DefId(0:13 ~ rust_ice[6b9d]::HierarchicalIterator::I)), segments: [PathSegment { ident: I#0, hir_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).8), res: Def(TyParam, DefId(0:13 ~ rust_ice[6b9d]::HierarchicalIterator::I)), args: None, infer_args: false }] })), span: src/main.rs:9:44: 9:45 (#0) })], constraints: [], parenthesized: No, span_ext: src/main.rs:9:40: 9:46 (#0) }), infer_args: false }] })), span: src/main.rs:9:24: 9:46 (#0) }) }, span: src/main.rs:9:17: 9:46 (#0) }], parenthesized: No, span_ext: src/main.rs:9:16: 9:47 (#0) }), infer_args: false }] }, hir_ref_id: HirId(DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator).12) }, span: src/main.rs:9:8: 9:47 (#0) })] }) }], has_where_clause_predicates: true, where_clause_span: src/main.rs:8:1: 9:48 (#0), span: src/main.rs:7:28: 7:34 (#0) }), span: src/main.rs:7:1: 12:2 (#0), vis_span: src/main.rs:7:1: 7:1 (#0) })` due to `Some( ObligationCause { span: src/main.rs:63:34: 63:41 (#0), body_id: DefId(0:25 ~ rust_ice[6b9d]::main), code: WhereClause( DefId(0:12 ~ rust_ice[6b9d]::HierarchicalIterator), src/main.rs:9:17: 9:46 (#0), ), }, )` stack backtrace: 0: rust_begin_unwind 1: core::panicking::panic_fmt 2: <rustc_hir_typeck::fn_ctxt::FnCtxt>::report_no_match_method_error 3: <rustc_hir_typeck::fn_ctxt::FnCtxt>::report_method_error 4: <rustc_hir_typeck::fn_ctxt::FnCtxt>::check_expr_with_expectation_and_args::{closure#0} 5: <rustc_hir_typeck::fn_ctxt::FnCtxt>::check_expr_with_expectation_and_args 6: <rustc_hir_typeck::fn_ctxt::FnCtxt>::check_decl 7: <rustc_hir_typeck::fn_ctxt::FnCtxt>::check_expr_block 8: <rustc_hir_typeck::fn_ctxt::FnCtxt>::check_expr_with_expectation_and_args::{closure#0} 9: <rustc_hir_typeck::fn_ctxt::FnCtxt>::check_expr_with_expectation_and_args 10: rustc_hir_typeck::check::check_fn 11: rustc_hir_typeck::typeck [... omitted 1 frame ...] 12: <rustc_middle::hir::map::Map>::par_body_owners::<rustc_hir_analysis::check_crate::{closure#4}>::{closure#0} 13: rustc_hir_analysis::check_crate 14: rustc_interface::passes::run_required_analyses 15: rustc_interface::passes::analysis [... omitted 1 frame ...] 16: rustc_interface::interface::run_compiler::<core::result::Result<(), rustc_span::ErrorGuaranteed>, rustc_driver_impl::run_compiler::{closure#0}>::{closure#1} note: Some details are omitted, run with `RUST_BACKTRACE=full` for a verbose backtrace. error: the compiler unexpectedly panicked. this is a bug. note: we would appreciate a bug report: https://github.com/rust-lang/rust/issues/new?labels=C-bug%2C+I-ICE%2C+T-compiler&template=ice.md note: please make sure that you have updated to the latest nightly note: please attach the file at `/home/skygrel19/projects/rust-ice/rustc-ice-2024-12-01T22_34_32-68884.txt` to your bug report note: compiler flags: --crate-type bin -C embed-bitcode=no -C debuginfo=2 -C incremental=[REDACTED] note: some of the compiler flags provided by cargo are hidden query stack during panic: #0 [typeck] type-checking `main` #1 [analysis] running analysis passes on this crate end of query stack For more information about this error, try `rustc --explain E0271`. error: could not compile `rust-ice` (bin "rust-ice") due to 3 previous errors ``` <!-- Include a backtrace in the code block by setting `RUST_BACKTRACE=1` in your environment. E.g. `RUST_BACKTRACE=1 cargo build`. --> <details><summary><strong>Backtrace</strong></summary> <p> ``` stack backtrace: 0: 0x783e5a56a0da - <std::sys::backtrace::BacktraceLock::print::DisplayBacktrace as core::fmt::Display>::fmt::h41650409cfcaa385 1: 0x783e5ac13c26 - core::fmt::write::h124e50a41a614f35 2: 0x783e5bc0f2d1 - std::io::Write::write_fmt::h152c770d77d8200b 3: 0x783e5a569f32 - std::sys::backtrace::BacktraceLock::print::hb77a071b09f7b2d4 4: 0x783e5a56c43a - std::panicking::default_hook::{{closure}}::h2289b310e8f70172 5: 0x783e5a56c283 - std::panicking::default_hook::h6b36901e2a542246 6: 0x783e596df618 - std[562fec4e669516d]::panicking::update_hook::<alloc[86f54b6de7847bb5]::boxed::Box<rustc_driver_impl[754960437973ebe]::install_ice_hook::{closure#0}>>::{closure#0} 7: 0x783e5a56cbf8 - std::panicking::rust_panic_with_hook::hd7b2147b933d3e5b 8: 0x783e5a56c8ea - std::panicking::begin_panic_handler::{{closure}}::h529091dbfbeb0f88 9: 0x783e5a56a589 - std::sys::backtrace::__rust_end_short_backtrace::h560f3f6f1bef32f3 10: 0x783e5a56c5ad - rust_begin_unwind 11: 0x783e57963f70 - core::panicking::panic_fmt::h0831c2ae5fe21ab8 12: 0x783e59a1396c - <rustc_hir_typeck[56a70210104cd44b]::fn_ctxt::FnCtxt>::report_no_match_method_error 13: 0x783e59a412a5 - <rustc_hir_typeck[56a70210104cd44b]::fn_ctxt::FnCtxt>::report_method_error 14: 0x783e5bce83c8 - <rustc_hir_typeck[56a70210104cd44b]::fn_ctxt::FnCtxt>::check_expr_with_expectation_and_args::{closure#0} 15: 0x783e5b6c0f1c - <rustc_hir_typeck[56a70210104cd44b]::fn_ctxt::FnCtxt>::check_expr_with_expectation_and_args 16: 0x783e5b6bbcb9 - <rustc_hir_typeck[56a70210104cd44b]::fn_ctxt::FnCtxt>::check_decl 17: 0x783e5b6be661 - <rustc_hir_typeck[56a70210104cd44b]::fn_ctxt::FnCtxt>::check_expr_block 18: 0x783e5bcd7abf - <rustc_hir_typeck[56a70210104cd44b]::fn_ctxt::FnCtxt>::check_expr_with_expectation_and_args::{closure#0} 19: 0x783e5b6c0f1c - <rustc_hir_typeck[56a70210104cd44b]::fn_ctxt::FnCtxt>::check_expr_with_expectation_and_args 20: 0x783e5af3e1a6 - rustc_hir_typeck[56a70210104cd44b]::check::check_fn 21: 0x783e5af4616f - rustc_hir_typeck[56a70210104cd44b]::typeck 22: 0x783e5af44d5d - rustc_query_impl[1e7641ea5651ea82]::plumbing::__rust_begin_short_backtrace::<rustc_query_impl[1e7641ea5651ea82]::query_impl::typeck::dynamic_query::{closure#2}::{closure#0}, rustc_middle[6e6d053ab00ffe47]::query::erase::Erased<[u8; 8usize]>> 23: 0x783e5aeac726 - rustc_query_system[76793d9e0f70d10d]::query::plumbing::try_execute_query::<rustc_query_impl[1e7641ea5651ea82]::DynamicConfig<rustc_data_structures[3b138958a90567ce]::vec_cache::VecCache<rustc_span[218a417b0d7920e2]::def_id::LocalDefId, rustc_middle[6e6d053ab00ffe47]::query::erase::Erased<[u8; 8usize]>, rustc_query_system[76793d9e0f70d10d]::dep_graph::graph::DepNodeIndex>, false, false, false>, rustc_query_impl[1e7641ea5651ea82]::plumbing::QueryCtxt, true> 24: 0x783e5b18920e - rustc_query_impl[1e7641ea5651ea82]::query_impl::typeck::get_query_incr::__rust_end_short_backtrace 25: 0x783e5aea8d73 - <rustc_middle[6e6d053ab00ffe47]::hir::map::Map>::par_body_owners::<rustc_hir_analysis[e6cbdf146491ad07]::check_crate::{closure#4}>::{closure#0} 26: 0x783e5aea6d92 - rustc_hir_analysis[e6cbdf146491ad07]::check_crate 27: 0x783e5b535d7c - rustc_interface[c91af76d3bd1abc4]::passes::run_required_analyses 28: 0x783e5b530dde - rustc_interface[c91af76d3bd1abc4]::passes::analysis 29: 0x783e5b530daf - rustc_query_impl[1e7641ea5651ea82]::plumbing::__rust_begin_short_backtrace::<rustc_query_impl[1e7641ea5651ea82]::query_impl::analysis::dynamic_query::{closure#2}::{closure#0}, rustc_middle[6e6d053ab00ffe47]::query::erase::Erased<[u8; 1usize]>> 30: 0x783e5bd0dfd2 - rustc_query_system[76793d9e0f70d10d]::query::plumbing::try_execute_query::<rustc_query_impl[1e7641ea5651ea82]::DynamicConfig<rustc_query_system[76793d9e0f70d10d]::query::caches::SingleCache<rustc_middle[6e6d053ab00ffe47]::query::erase::Erased<[u8; 1usize]>>, false, false, false>, rustc_query_impl[1e7641ea5651ea82]::plumbing::QueryCtxt, true> 31: 0x783e5bd0dab7 - rustc_query_impl[1e7641ea5651ea82]::query_impl::analysis::get_query_incr::__rust_end_short_backtrace 32: 0x783e5bc94207 - rustc_interface[c91af76d3bd1abc4]::interface::run_compiler::<core[c1d5b3a4b0af00f7]::result::Result<(), rustc_span[218a417b0d7920e2]::ErrorGuaranteed>, rustc_driver_impl[754960437973ebe]::run_compiler::{closure#0}>::{closure#1} 33: 0x783e5b9ee461 - std[562fec4e669516d]::sys::backtrace::__rust_begin_short_backtrace::<rustc_interface[c91af76d3bd1abc4]::util::run_in_thread_with_globals<rustc_interface[c91af76d3bd1abc4]::util::run_in_thread_pool_with_globals<rustc_interface[c91af76d3bd1abc4]::interface::run_compiler<core[c1d5b3a4b0af00f7]::result::Result<(), rustc_span[218a417b0d7920e2]::ErrorGuaranteed>, rustc_driver_impl[754960437973ebe]::run_compiler::{closure#0}>::{closure#1}, core[c1d5b3a4b0af00f7]::result::Result<(), rustc_span[218a417b0d7920e2]::ErrorGuaranteed>>::{closure#0}, core[c1d5b3a4b0af00f7]::result::Result<(), rustc_span[218a417b0d7920e2]::ErrorGuaranteed>>::{closure#0}::{closure#0}, core[c1d5b3a4b0af00f7]::result::Result<(), rustc_span[218a417b0d7920e2]::ErrorGuaranteed>> 34: 0x783e5b9ee108 - <<std[562fec4e669516d]::thread::Builder>::spawn_unchecked_<rustc_interface[c91af76d3bd1abc4]::util::run_in_thread_with_globals<rustc_interface[c91af76d3bd1abc4]::util::run_in_thread_pool_with_globals<rustc_interface[c91af76d3bd1abc4]::interface::run_compiler<core[c1d5b3a4b0af00f7]::result::Result<(), rustc_span[218a417b0d7920e2]::ErrorGuaranteed>, rustc_driver_impl[754960437973ebe]::run_compiler::{closure#0}>::{closure#1}, core[c1d5b3a4b0af00f7]::result::Result<(), rustc_span[218a417b0d7920e2]::ErrorGuaranteed>>::{closure#0}, core[c1d5b3a4b0af00f7]::result::Result<(), rustc_span[218a417b0d7920e2]::ErrorGuaranteed>>::{closure#0}::{closure#0}, core[c1d5b3a4b0af00f7]::result::Result<(), rustc_span[218a417b0d7920e2]::ErrorGuaranteed>>::{closure#1} as core[c1d5b3a4b0af00f7]::ops::function::FnOnce<()>>::call_once::{shim:vtable#0} 35: 0x783e5b9ed83b - std::sys::pal::unix::thread::Thread::new::thread_start::hf9fb86827535111f 36: 0x783e55c9ca94 - start_thread at ./nptl/pthread_create.c:447:8 37: 0x783e55d29c3c - clone3 at ./misc/../sysdeps/unix/sysv/linux/x86_64/clone3.S:78 38: 0x0 - <unknown> ``` </p> </details>
A-diagnostics,I-ICE,T-compiler,C-bug
low
Critical
2,710,013,815
rust
rustdoc-json: `impl dyn Trait` gets discarded
For the following code: ```rust pub trait T1 { fn number(&self) -> i32; } impl dyn T1 { pub fn number_plus_one(&self) { self.number() + 1 } } ``` generates ```json { "format_version": 36, "includes_private": false, "index": { "0": { "attrs": [], "crate_id": 0, "deprecation": null, "docs": null, "id": 0, "inner": {"function": { ... }}, "name": "number", "visibility": "default" }, "1": { "attrs": [], "crate_id": 0, "deprecation": null, "docs": null, "id": 1, "inner": { "trait": { "bounds": [], "generics": {"params": [], "where_predicates": []}, "implementations": [], "is_auto": false, "is_dyn_compatible": true, "is_unsafe": false, "items": [0] } }, "name": "T1", "visibility": "public" }, "2": { "attrs": [], "crate_id": 0, "deprecation": null, "docs": null, "id": 2, "inner": {"module": {"is_crate": true, "is_stripped": false, "items": [1]}}, "name": "on_dyn_trait", "visibility": "public" } }, "root": 2 } ``` ([full](https://gist.github.com/aDotInTheVoid/d94786d8b58a6be9bbda6a3cde8f9252)). There's nothing included for the `number_plus_one` method, but there should be. The HTML backend get this right, so the releavent info is availible in `clean`: ![Image](https://github.com/user-attachments/assets/d4c3a64e-4bfd-4045-9139-e23bb4000519) I'm not sure what's the best way to store this is in the format: Putting it into the `implementations` field seems wrong, as `impl dyn T1` isn't an implementation of `T1`, but an implementation **on** `dyn T1`. I'd love to hear people's thoughts on this.
T-rustdoc,C-bug,A-rustdoc-json,A-trait-objects
low
Minor
2,710,023,536
godot
Corruption of .import ConfigFile settings when an external BoneMap was renamed or deleted.
### Tested versions - 4.3.stable - All older versions of 4.x (crashes) ### System information Godot v4.3.stable - Windows 10.0.19045 - Vulkan (Forward+) - dedicated NVIDIA GeForce RTX 3090 (NVIDIA; 32.0.15.6094) - Intel(R) Core(TM) i9-9900K CPU @ 3.60GHz (16 Threads) ### Issue description #93284 was merged as an emergency fix for 4.3. It avoids a crash, but does not prevent corruption of import settings or avoid import failures due to the same underlying issues. In particular, this quote from the description should highlight why it is important that a bug still be open: **i think all these issues also have another underlying issue to them, this just turns the crashes into error prints** The following bugs were incorrectly closed as part of the fix: * #90014 * #92940 * #84371 Therefore I'm opening this issue so that we can track the underlying problem and attempt to address it in a better way for 4.4. Note that the underlying issue relates to `var_to_str()` and `ConfigFile` APIs and their mishandling of missing resources as well as lack of UID serialization, so I'm going to include this as a core issue since it is critical. This issue caused by deleting referenced files from .import blocks making improvements to the advanced importer and material editing: * #86430 ![Image](https://github.com/user-attachments/assets/03cbeade-03e0-4645-b232-8c41eaddf039) ### Steps to reproduce 1. Import a 3D model with a Skeleton. 2. Create a bone map for it and right click it to save it externally. 3. Rename the external resource of the new bone map. 4. Attempt to open the advanced import dialog for the model. ### Minimal reproduction project (MRP) https://github.com/godotengine/godot/files/14803641/bone_map_crash.zip
bug,topic:core,topic:import,high priority,topic:3d
low
Critical
2,710,122,700
tauri
[bug] running `tauri android init` returns `NDK_HOME` environment variable isn't set, but the NDK is installed
### Describe the bug After following the [prerequisites](https://tauri.app/start/prerequisites/) doc to the letter, installing Android Studio and downloading all the latest SDKs and NDKs, I'm still getting this error when running `tauri android init`: ``` action request: to initialize Android environment; Android support won't be usable until you fix the issue below and re-run `tauri android init`! Have you installed the NDK? The `NDK_HOME` environment variable isn't set, and is required: environment variable not found ``` What can be causing this to KEEP happening? This results in Android Studio reporting `Error running 'app' Default Activity not found` after running `tauri android dev` ### Reproduction _No response_ ### Expected behavior Tauri should be able to detect the installed NDK ### Full `tauri info` output ```text action request: to initialize Android environment; Android support won't be usable until you fix the issue below and re-run `tauri android init`! Have you installed the NDK? The `NDK_HOME` environment variable isn't set, and is required: environment variable not found ``` ### Stack trace _No response_ ### Additional context _No response_
type: bug,platform: macOS,status: needs triage,platform: Android
low
Critical
2,710,135,232
tauri
[bug] `tauri ios dev` fails with: Error command ["xcodebuild"] exited with code 65
### Describe the bug On a new project, with a fresh install of xCode, homebrewm java, etc... running `tauri ios init` has completed without a problem, but running the dev commands returns the following: ``` Command line invocation: /Applications/Xcode.app/Contents/Developer/usr/bin/xcodebuild -allowProvisioningUpdates -scheme app_iOS -workspace /Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple/app.xcodeproj/project.xcworkspace/ -sdk iphonesimulator -configuration debug build User defaults from command line: IDEPackageSupportUseBuiltinSCM = YES Build settings from command line: SDKROOT = iphonesimulator18.1 --- xcodebuild: WARNING: Using the first of multiple matching destinations: { platform:iOS Simulator, id:dvtdevice-DVTiOSDeviceSimulatorPlaceholder-iphonesimulator:placeholder, name:Any iOS Simulator Device } { platform:iOS Simulator, id:AF967977-BFED-437C-9BD3-D7BD28AD9574, OS:17.5, name:iPad (10th generation) } { platform:iOS Simulator, id:D22AAD56-98CE-4DE0-8A90-AEAE07DE5D71, OS:18.1, name:iPad (10th generation) } { platform:iOS Simulator, id:F9A1B06A-174F-49EF-A6CA-76C6FFAF8F24, OS:17.5, name:iPad Air 11-inch (M2) } { platform:iOS Simulator, id:86B5B9F6-049C-4BF5-94A5-5321C4B7DC5E, OS:18.1, name:iPad Air 11-inch (M2) } { platform:iOS Simulator, id:11203545-0472-432B-90E0-C39F66A78442, OS:17.5, name:iPad Air 13-inch (M2) } { platform:iOS Simulator, id:BA49E24A-5F15-408E-8DC5-62B3C04ED275, OS:18.1, name:iPad Air 13-inch (M2) } { platform:iOS Simulator, id:9EB25C2E-8B52-47C3-960A-9C021F583C60, OS:17.5, name:iPad Pro 11-inch (M4) } { platform:iOS Simulator, id:EBBBC032-C24E-4590-AAA4-5E67BF0B17C1, OS:18.1, name:iPad Pro 11-inch (M4) } { platform:iOS Simulator, id:1EDD7832-C854-45C1-BF39-01DEFBFBE542, OS:17.5, name:iPad Pro 13-inch (M4) } { platform:iOS Simulator, id:873E9F38-0915-4CF8-958E-5ED39B4285E8, OS:18.1, name:iPad Pro 13-inch (M4) } { platform:iOS Simulator, id:646C602D-BD81-459C-8D70-701EEDCA3900, OS:17.5, name:iPad mini (6th generation) } { platform:iOS Simulator, id:81EBED3B-BC8C-4327-9E4E-C84355E8A908, OS:18.1, name:iPad mini (A17 Pro) } { platform:iOS Simulator, id:216F6783-E991-4A5A-8FAB-3F15D1F0F162, OS:17.5, name:iPhone 15 } { platform:iOS Simulator, id:2FFBC898-4870-4665-80C6-AFF464748250, OS:17.5, name:iPhone 15 Plus } { platform:iOS Simulator, id:959A42BC-BA98-4C27-BDCC-7E05057C64EA, OS:17.5, name:iPhone 15 Pro } { platform:iOS Simulator, id:06CF4147-3FD8-49E3-9763-3A3B5DCC6CC9, OS:17.5, name:iPhone 15 Pro Max } { platform:iOS Simulator, id:8325F4DA-493F-4AAC-BEEC-C0F51DA5AF3E, OS:18.1, name:iPhone 16 } { platform:iOS Simulator, id:36DC17C5-C6CA-4F20-A218-368622A045B0, OS:18.1, name:iPhone 16 Plus } { platform:iOS Simulator, id:7C68918F-C497-4F08-BB19-2964DE1738E9, OS:18.1, name:iPhone 16 Pro } { platform:iOS Simulator, id:766FE939-3F2A-4EEE-89FB-E3E36A0695E5, OS:18.1, name:iPhone 16 Pro Max } { platform:iOS Simulator, id:39C87075-C6FB-43F1-B6D1-9C082A543B1F, OS:17.5, name:iPhone SE (3rd generation) } { platform:iOS Simulator, id:B8AC45B6-3E02-420B-BEC4-24C9DF039707, OS:18.1, name:iPhone SE (3rd generation) } { platform:macOS, arch:arm64, variant:Designed for [iPad,iPhone], id:00006030-001444210E28001C, name:My Mac } { platform:iOS, id:dvtdevice-DVTiPhonePlaceholder-iphoneos:placeholder, name:Any iOS Device } Prepare packages ComputeTargetDependencyGraph note: Building targets in dependency order note: Target dependency graph (1 target) Target 'app_iOS' in project 'app' (no dependencies) GatherProvisioningInputs CreateBuildDescription ClangStatCache /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang-stat-cache /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator18.1.sdk /Users/jaredsteffen/Library/Developer/Xcode/DerivedData/SDKStatCaches.noindex/iphonesimulator18.1-22B74-3d93aac3a03ebac1dd8474c5def773dc.sdkstatcache cd /Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple/app.xcodeproj /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang-stat-cache /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator18.1.sdk -o /Users/jaredsteffen/Library/Developer/Xcode/DerivedData/SDKStatCaches.noindex/iphonesimulator18.1-22B74-3d93aac3a03ebac1dd8474c5def773dc.sdkstatcache PhaseScriptExecution Build\ Rust\ Code /Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Script-E028F843270D8815FCE2B491.sh (in target 'app_iOS' from project 'app') cd /Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple export ACTION\=build export AD_HOC_CODE_SIGNING_ALLOWED\=YES export AGGREGATE_TRACKED_DOMAINS\=YES export ALLOW_BUILD_REQUEST_OVERRIDES\=NO export ALLOW_TARGET_PLATFORM_SPECIALIZATION\=NO export ALTERNATE_GROUP\=staff export ALTERNATE_MODE\=u+w,go-w,a+rX export ALTERNATE_OWNER\=jaredsteffen export ALTERNATIVE_DISTRIBUTION_WEB\=NO export ALWAYS_EMBED_SWIFT_STANDARD_LIBRARIES\=YES export ALWAYS_SEARCH_USER_PATHS\=NO export ALWAYS_USE_SEPARATE_HEADERMAPS\=NO export APPLE_INTERNAL_DEVELOPER_DIR\=/AppleInternal/Developer export APPLE_INTERNAL_DIR\=/AppleInternal export APPLE_INTERNAL_DOCUMENTATION_DIR\=/AppleInternal/Documentation export APPLE_INTERNAL_LIBRARY_DIR\=/AppleInternal/Library export APPLE_INTERNAL_TOOLS\=/AppleInternal/Developer/Tools export APPLICATION_EXTENSION_API_ONLY\=NO export APPLY_RULES_IN_COPY_FILES\=NO export APPLY_RULES_IN_COPY_HEADERS\=NO export APP_SHORTCUTS_ENABLE_FLEXIBLE_MATCHING\=YES export ARCHS\=arm64-sim export ARCHS_STANDARD\=arm64\ x86_64 export ARCHS_STANDARD_32_64_BIT\=arm64\ i386\ x86_64 export ARCHS_STANDARD_32_BIT\=i386 export ARCHS_STANDARD_64_BIT\=arm64\ x86_64 export ARCHS_STANDARD_INCLUDING_64_BIT\=arm64\ x86_64 export ARCHS_UNIVERSAL_IPHONE_OS\=arm64\ i386\ x86_64 export ASSETCATALOG_COMPILER_APPICON_NAME\=AppIcon export ASSETCATALOG_COMPILER_GENERATE_ASSET_SYMBOLS\=YES export AUTOMATICALLY_MERGE_DEPENDENCIES\=NO export AVAILABLE_PLATFORMS\=appletvos\ appletvsimulator\ driverkit\ iphoneos\ iphonesimulator\ macosx\ watchos\ watchsimulator\ xros\ xrsimulator export AppIdentifierPrefix\=54T34FM7VV. export BITCODE_GENERATION_MODE\=marker export BUILD_ACTIVE_RESOURCES_ONLY\=NO export BUILD_COMPONENTS\=headers\ build export BUILD_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products export BUILD_LIBRARY_FOR_DISTRIBUTION\=NO export BUILD_ROOT\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products export BUILD_STYLE\= export BUILD_VARIANTS\=normal export BUILT_PRODUCTS_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products/debug-iphonesimulator export BUNDLE_CONTENTS_FOLDER_PATH_deep\=Contents/ export BUNDLE_EXECUTABLE_FOLDER_NAME_deep\=MacOS export BUNDLE_EXTENSIONS_FOLDER_PATH\=Extensions export BUNDLE_FORMAT\=shallow export BUNDLE_FRAMEWORKS_FOLDER_PATH\=Frameworks export BUNDLE_PLUGINS_FOLDER_PATH\=PlugIns export BUNDLE_PRIVATE_HEADERS_FOLDER_PATH\=PrivateHeaders export BUNDLE_PUBLIC_HEADERS_FOLDER_PATH\=Headers export CACHE_ROOT\=/var/folders/70/j37gm_b507nfl616t1t_cx1h0000gn/C/com.apple.DeveloperTools/16.1-16B40/Xcode export CCHROOT\=/var/folders/70/j37gm_b507nfl616t1t_cx1h0000gn/C/com.apple.DeveloperTools/16.1-16B40/Xcode export CHMOD\=/bin/chmod export CHOWN\=/usr/sbin/chown export CLANG_ANALYZER_NONNULL\=YES export CLANG_ANALYZER_NUMBER_OBJECT_CONVERSION\=YES_AGGRESSIVE export CLANG_CACHE_FINE_GRAINED_OUTPUTS\=YES export CLANG_CXX_LANGUAGE_STANDARD\=gnu++14 export CLANG_CXX_LIBRARY\=libc++ export CLANG_ENABLE_EXPLICIT_MODULES\=YES export CLANG_ENABLE_MODULES\=YES export CLANG_ENABLE_OBJC_ARC\=YES export CLANG_ENABLE_OBJC_WEAK\=YES export CLANG_MODULES_BUILD_SESSION_FILE\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation export CLANG_WARN_BLOCK_CAPTURE_AUTORELEASING\=YES export CLANG_WARN_BOOL_CONVERSION\=YES export CLANG_WARN_COMMA\=YES export CLANG_WARN_CONSTANT_CONVERSION\=YES export CLANG_WARN_DEPRECATED_OBJC_IMPLEMENTATIONS\=YES export CLANG_WARN_DIRECT_OBJC_ISA_USAGE\=YES_ERROR export CLANG_WARN_DOCUMENTATION_COMMENTS\=YES export CLANG_WARN_EMPTY_BODY\=YES export CLANG_WARN_ENUM_CONVERSION\=YES export CLANG_WARN_INFINITE_RECURSION\=YES export CLANG_WARN_INT_CONVERSION\=YES export CLANG_WARN_NON_LITERAL_NULL_CONVERSION\=YES export CLANG_WARN_OBJC_IMPLICIT_RETAIN_SELF\=YES export CLANG_WARN_OBJC_LITERAL_CONVERSION\=YES export CLANG_WARN_OBJC_ROOT_CLASS\=YES_ERROR export CLANG_WARN_QUOTED_INCLUDE_IN_FRAMEWORK_HEADER\=YES export CLANG_WARN_RANGE_LOOP_ANALYSIS\=YES export CLANG_WARN_STRICT_PROTOTYPES\=YES export CLANG_WARN_SUSPICIOUS_MOVE\=YES export CLANG_WARN_UNGUARDED_AVAILABILITY\=YES_AGGRESSIVE export CLANG_WARN_UNREACHABLE_CODE\=YES export CLANG_WARN__DUPLICATE_METHOD_MATCH\=YES export CLASS_FILE_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/JavaClasses export CLEAN_PRECOMPS\=YES export CLONE_HEADERS\=NO export CODESIGNING_FOLDER_PATH\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products/debug-iphonesimulator/ta-app.app export CODE_SIGNING_ALLOWED\=YES export CODE_SIGNING_REQUIRED\=YES export CODE_SIGN_CONTEXT_CLASS\=XCiPhoneSimulatorCodeSignContext export CODE_SIGN_ENTITLEMENTS\=app_iOS/app_iOS.entitlements export CODE_SIGN_IDENTITY\=iPhone\ Developer export CODE_SIGN_INJECT_BASE_ENTITLEMENTS\=YES export CODE_SIGN_STYLE\=Automatic export COLOR_DIAGNOSTICS\=YES export COMBINE_HIDPI_IMAGES\=NO export COMPILATION_CACHE_CAS_PATH\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/CompilationCache.noindex export COMPILATION_CACHE_KEEP_CAS_DIRECTORY\=YES export COMPILER_INDEX_STORE_ENABLE\=Default export COMPOSITE_SDK_DIRS\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/CompositeSDKs export COMPRESS_PNG_FILES\=YES export CONFIGURATION\=debug export CONFIGURATION_BUILD_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products/debug-iphonesimulator export CONFIGURATION_TEMP_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator export CONTENTS_FOLDER_PATH\=ta-app.app export CONTENTS_FOLDER_PATH_SHALLOW_BUNDLE_NO\=ta-app.app/Contents export CONTENTS_FOLDER_PATH_SHALLOW_BUNDLE_YES\=ta-app.app export COPYING_PRESERVES_HFS_DATA\=NO export COPY_HEADERS_RUN_UNIFDEF\=NO export COPY_PHASE_STRIP\=NO export CORRESPONDING_DEVICE_PLATFORM_DIR\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform export CORRESPONDING_DEVICE_PLATFORM_NAME\=iphoneos export CORRESPONDING_DEVICE_SDK_DIR\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/SDKs/iPhoneOS18.1.sdk export CORRESPONDING_DEVICE_SDK_NAME\=iphoneos18.1 export CP\=/bin/cp export CREATE_INFOPLIST_SECTION_IN_BINARY\=NO export CURRENT_ARCH\=undefined_arch export CURRENT_VARIANT\=normal export DEAD_CODE_STRIPPING\=YES export DEBUGGING_SYMBOLS\=YES export DEBUG_INFORMATION_FORMAT\=dwarf export DEBUG_INFORMATION_VERSION\=compiler-default export DEFAULT_COMPILER\=com.apple.compilers.llvm.clang.1_0 export DEFAULT_DEXT_INSTALL_PATH\=/System/Library/DriverExtensions export DEFAULT_KEXT_INSTALL_PATH\=/System/Library/Extensions export DEFINES_MODULE\=NO export DEPLOYMENT_LOCATION\=NO export DEPLOYMENT_POSTPROCESSING\=NO export DEPLOYMENT_TARGET_SETTING_NAME\=IPHONEOS_DEPLOYMENT_TARGET export DEPLOYMENT_TARGET_SUGGESTED_VALUES\=12.0\ 12.1\ 12.2\ 12.3\ 12.4\ 13.0\ 13.1\ 13.2\ 13.3\ 13.4\ 13.5\ 13.6\ 14.0\ 14.1\ 14.2\ 14.3\ 14.4\ 14.5\ 14.6\ 14.7\ 15.0\ 15.1\ 15.2\ 15.3\ 15.4\ 15.5\ 15.6\ 16.0\ 16.1\ 16.2\ 16.3\ 16.4\ 16.5\ 16.6\ 17.0\ 17.1\ 17.2\ 17.3\ 17.4\ 17.5\ 17.6\ 18.0\ 18.1 export DERIVED_FILES_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/DerivedSources export DERIVED_FILE_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/DerivedSources export DERIVED_SOURCES_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/DerivedSources export DEVELOPER_APPLICATIONS_DIR\=/Applications/Xcode.app/Contents/Developer/Applications export DEVELOPER_BIN_DIR\=/Applications/Xcode.app/Contents/Developer/usr/bin export DEVELOPER_DIR\=/Applications/Xcode.app/Contents/Developer export DEVELOPER_FRAMEWORKS_DIR\=/Applications/Xcode.app/Contents/Developer/Library/Frameworks export DEVELOPER_FRAMEWORKS_DIR_QUOTED\=/Applications/Xcode.app/Contents/Developer/Library/Frameworks export DEVELOPER_LIBRARY_DIR\=/Applications/Xcode.app/Contents/Developer/Library export DEVELOPER_SDK_DIR\=/Applications/Xcode.app/Contents/Developer/Platforms/MacOSX.platform/Developer/SDKs export DEVELOPER_TOOLS_DIR\=/Applications/Xcode.app/Contents/Developer/Tools export DEVELOPER_USR_DIR\=/Applications/Xcode.app/Contents/Developer/usr export DEVELOPMENT_LANGUAGE\=en export DEVELOPMENT_TEAM\=54T34FM7VV export DIFF\=/usr/bin/diff export DOCUMENTATION_FOLDER_PATH\=ta-app.app/en.lproj/Documentation export DONT_GENERATE_INFOPLIST_FILE\=NO export DSTROOT\=/tmp/app.dst export DT_TOOLCHAIN_DIR\=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain export DWARF_DSYM_FILE_NAME\=ta-app.app.dSYM export DWARF_DSYM_FILE_SHOULD_ACCOMPANY_PRODUCT\=NO export DWARF_DSYM_FOLDER_PATH\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products/debug-iphonesimulator export DYNAMIC_LIBRARY_EXTENSION\=dylib export EAGER_COMPILATION_ALLOW_SCRIPTS\=NO export EAGER_LINKING\=NO export EFFECTIVE_PLATFORM_NAME\=-iphonesimulator export EMBEDDED_CONTENT_CONTAINS_SWIFT\=NO export EMBED_ASSET_PACKS_IN_PRODUCT_BUNDLE\=NO export ENABLE_APP_SANDBOX\=NO export ENABLE_BITCODE\=NO export ENABLE_CODE_COVERAGE\=YES export ENABLE_DEBUG_DYLIB\=YES export ENABLE_DEFAULT_HEADER_SEARCH_PATHS\=YES export ENABLE_DEFAULT_SEARCH_PATHS\=YES export ENABLE_HARDENED_RUNTIME\=NO export ENABLE_HEADER_DEPENDENCIES\=YES export ENABLE_ON_DEMAND_RESOURCES\=YES export ENABLE_PREVIEWS\=NO export ENABLE_STRICT_OBJC_MSGSEND\=YES export ENABLE_TESTABILITY\=YES export ENABLE_TESTING_SEARCH_PATHS\=NO export ENABLE_USER_SCRIPT_SANDBOXING\=NO export ENABLE_XOJIT_PREVIEWS\=YES export ENTITLEMENTS_ALLOWED\=NO export ENTITLEMENTS_DESTINATION\=__entitlements export ENTITLEMENTS_REQUIRED\=NO export EXCLUDED_ARCHS\=arm64 export EXCLUDED_INSTALLSRC_SUBDIRECTORY_PATTERNS\=.DS_Store\ .svn\ .git\ .hg\ CVS export EXCLUDED_RECURSIVE_SEARCH_PATH_SUBDIRECTORIES\=\*.nib\ \*.lproj\ \*.framework\ \*.gch\ \*.xcode\*\ \*.xcassets\ \(\*\)\ .DS_Store\ CVS\ .svn\ .git\ .hg\ \*.pbproj\ \*.pbxproj export EXECUTABLES_FOLDER_PATH\=ta-app.app/Executables export EXECUTABLE_BLANK_INJECTION_DYLIB_PATH\=ta-app.app/__preview.dylib export EXECUTABLE_DEBUG_DYLIB_INSTALL_NAME\=@rpath/ta-app.debug.dylib export EXECUTABLE_DEBUG_DYLIB_PATH\=ta-app.app/ta-app.debug.dylib export EXECUTABLE_FOLDER_PATH\=ta-app.app export EXECUTABLE_FOLDER_PATH_SHALLOW_BUNDLE_NO\=ta-app.app/MacOS export EXECUTABLE_FOLDER_PATH_SHALLOW_BUNDLE_YES\=ta-app.app export EXECUTABLE_NAME\=ta-app export EXECUTABLE_PATH\=ta-app.app/ta-app export EXPANDED_CODE_SIGN_IDENTITY\=- export EXPANDED_CODE_SIGN_IDENTITY_NAME\=Sign\ to\ Run\ Locally export EXTENSIONS_FOLDER_PATH\=ta-app.app/Extensions export FILE_LIST\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Objects/LinkFileList export FIXED_FILES_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/FixedFiles export FRAMEWORKS_FOLDER_PATH\=ta-app.app/Frameworks export FRAMEWORK_FLAG_PREFIX\=-framework export FRAMEWORK_SEARCH_PATHS\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products/debug-iphonesimulator\ \ \".\" export FRAMEWORK_VERSION\=A export FULL_PRODUCT_NAME\=ta-app.app export FUSE_BUILD_PHASES\=YES export FUSE_BUILD_SCRIPT_PHASES\=NO export GCC3_VERSION\=3.3 export GCC_C_LANGUAGE_STANDARD\=gnu11 export GCC_DYNAMIC_NO_PIC\=NO export GCC_INLINES_ARE_PRIVATE_EXTERN\=YES export GCC_NO_COMMON_BLOCKS\=YES export GCC_OBJC_LEGACY_DISPATCH\=YES export GCC_OPTIMIZATION_LEVEL\=0 export GCC_PFE_FILE_C_DIALECTS\=c\ objective-c\ c++\ objective-c++ export GCC_PREPROCESSOR_DEFINITIONS\=\ DEBUG\=1 export GCC_SYMBOLS_PRIVATE_EXTERN\=NO export GCC_TREAT_WARNINGS_AS_ERRORS\=NO export GCC_VERSION\=com.apple.compilers.llvm.clang.1_0 export GCC_VERSION_IDENTIFIER\=com_apple_compilers_llvm_clang_1_0 export GCC_WARN_64_TO_32_BIT_CONVERSION\=YES export GCC_WARN_ABOUT_RETURN_TYPE\=YES_ERROR export GCC_WARN_UNDECLARED_SELECTOR\=YES export GCC_WARN_UNINITIALIZED_AUTOS\=YES_AGGRESSIVE export GCC_WARN_UNUSED_FUNCTION\=YES export GCC_WARN_UNUSED_VARIABLE\=YES export GENERATED_MODULEMAP_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/GeneratedModuleMaps-iphonesimulator export GENERATE_INFOPLIST_FILE\=NO export GENERATE_INTERMEDIATE_TEXT_BASED_STUBS\=YES export GENERATE_MASTER_OBJECT_FILE\=NO export GENERATE_PKGINFO_FILE\=YES export GENERATE_PROFILING_CODE\=NO export GENERATE_TEXT_BASED_STUBS\=NO export GID\=20 export GROUP\=staff export HEADERMAP_INCLUDES_FLAT_ENTRIES_FOR_TARGET_BEING_BUILT\=YES export HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_ALL_PRODUCT_TYPES\=YES export HEADERMAP_INCLUDES_FRAMEWORK_ENTRIES_FOR_TARGETS_NOT_BEING_BUILT\=YES export HEADERMAP_INCLUDES_NONPUBLIC_NONPRIVATE_HEADERS\=YES export HEADERMAP_INCLUDES_PROJECT_HEADERS\=YES export HEADERMAP_USES_FRAMEWORK_PREFIX_ENTRIES\=YES export HEADERMAP_USES_VFS\=NO export HEADER_SEARCH_PATHS\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products/debug-iphonesimulator/include\ export HIDE_BITCODE_SYMBOLS\=YES export HOME\=/Users/jaredsteffen export HOST_ARCH\=arm64 export HOST_PLATFORM\=macosx export ICONV\=/usr/bin/iconv export IMPLICIT_DEPENDENCY_DOMAIN\=default export INFOPLIST_ENABLE_CFBUNDLEICONS_MERGE\=YES export INFOPLIST_EXPAND_BUILD_SETTINGS\=YES export INFOPLIST_FILE\=app_iOS/Info.plist export INFOPLIST_OUTPUT_FORMAT\=binary export INFOPLIST_PATH\=ta-app.app/Info.plist export INFOPLIST_PREPROCESS\=NO export INFOSTRINGS_PATH\=ta-app.app/en.lproj/InfoPlist.strings export INLINE_PRIVATE_FRAMEWORKS\=NO export INSTALLHDRS_COPY_PHASE\=NO export INSTALLHDRS_SCRIPT_PHASE\=NO export INSTALL_DIR\=/tmp/app.dst/Applications export INSTALL_GROUP\=staff export INSTALL_MODE_FLAG\=u+w,go-w,a+rX export INSTALL_OWNER\=jaredsteffen export INSTALL_PATH\=/Applications export INSTALL_ROOT\=/tmp/app.dst export IPHONEOS_DEPLOYMENT_TARGET\=13.0 export IS_UNOPTIMIZED_BUILD\=YES export JAVAC_DEFAULT_FLAGS\=-J-Xms64m\ -J-XX:NewSize\=4M\ -J-Dfile.encoding\=UTF8 export JAVA_APP_STUB\=/System/Library/Frameworks/JavaVM.framework/Resources/MacOS/JavaApplicationStub export JAVA_ARCHIVE_CLASSES\=YES export JAVA_ARCHIVE_TYPE\=JAR export JAVA_COMPILER\=/usr/bin/javac export JAVA_FOLDER_PATH\=ta-app.app/Java export JAVA_FRAMEWORK_RESOURCES_DIRS\=Resources export JAVA_JAR_FLAGS\=cv export JAVA_SOURCE_SUBDIR\=. export JAVA_USE_DEPENDENCIES\=YES export JAVA_ZIP_FLAGS\=-urg export JIKES_DEFAULT_FLAGS\=+E\ +OLDCSO export KEEP_PRIVATE_EXTERNS\=NO export LD_DEPENDENCY_INFO_FILE\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Objects-normal/undefined_arch/ta-app_dependency_info.dat export LD_ENTITLEMENTS_SECTION\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/ta-app.app-Simulated.xcent export LD_ENTITLEMENTS_SECTION_DER\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/ta-app.app-Simulated.xcent.der export LD_EXPORT_SYMBOLS\=YES export LD_GENERATE_MAP_FILE\=NO export LD_MAP_FILE_PATH\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/ta-app-LinkMap-normal-undefined_arch.txt export LD_NO_PIE\=NO export LD_QUOTE_LINKER_ARGUMENTS_FOR_COMPILER_DRIVER\=YES export LD_RUNPATH_SEARCH_PATHS\=\ @executable_path/Frameworks export LD_RUNPATH_SEARCH_PATHS_YES\=@loader_path/../Frameworks export LD_SHARED_CACHE_ELIGIBLE\=Automatic export LD_WARN_DUPLICATE_LIBRARIES\=NO export LD_WARN_UNUSED_DYLIBS\=NO export LEGACY_DEVELOPER_DIR\=/Applications/Xcode.app/Contents/PlugIns/Xcode3Core.ideplugin/Contents/SharedSupport/Developer export LEX\=lex export LIBRARY_DEXT_INSTALL_PATH\=/Library/DriverExtensions export LIBRARY_FLAG_NOSPACE\=YES export LIBRARY_FLAG_PREFIX\=-l export LIBRARY_KEXT_INSTALL_PATH\=/Library/Extensions export LIBRARY_SEARCH_PATHS\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products/debug-iphonesimulator\ export LINKER_DISPLAYS_MANGLED_NAMES\=NO export LINK_FILE_LIST_normal_arm64-sim\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Objects-normal/arm64-sim/ta-app.LinkFileList export LINK_OBJC_RUNTIME\=YES export LINK_WITH_STANDARD_LIBRARIES\=YES export LLVM_TARGET_TRIPLE_OS_VERSION\=ios13.0 export LLVM_TARGET_TRIPLE_SUFFIX\=-simulator export LLVM_TARGET_TRIPLE_VENDOR\=apple export LM_AUX_CONST_METADATA_LIST_PATH_normal_arm64-sim\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Objects-normal/arm64-sim/ta-app.SwiftConstValuesFileList export LOCALIZATION_EXPORT_SUPPORTED\=YES export LOCALIZATION_PREFERS_STRING_CATALOGS\=NO export LOCALIZED_RESOURCES_FOLDER_PATH\=ta-app.app/en.lproj export LOCALIZED_STRING_MACRO_NAMES\=NSLocalizedString\ CFCopyLocalizedString export LOCALIZED_STRING_SWIFTUI_SUPPORT\=YES export LOCAL_ADMIN_APPS_DIR\=/Applications/Utilities export LOCAL_APPS_DIR\=/Applications export LOCAL_DEVELOPER_DIR\=/Library/Developer export LOCAL_LIBRARY_DIR\=/Library export LOCROOT\=/Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple export LOCSYMROOT\=/Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple export MACH_O_TYPE\=mh_execute export MAC_OS_X_PRODUCT_BUILD_VERSION\=24B91 export MAC_OS_X_VERSION_ACTUAL\=150101 export MAC_OS_X_VERSION_MAJOR\=150000 export MAC_OS_X_VERSION_MINOR\=150100 export MAKE_MERGEABLE\=NO export MERGEABLE_LIBRARY\=NO export MERGED_BINARY_TYPE\=none export MERGE_LINKED_LIBRARIES\=NO export METAL_LIBRARY_FILE_BASE\=default export METAL_LIBRARY_OUTPUT_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products/debug-iphonesimulator/ta-app.app export MODULES_FOLDER_PATH\=ta-app.app/Modules export MODULE_CACHE_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/ModuleCache.noindex export MTL_ENABLE_DEBUG_INFO\=INCLUDE_SOURCE export MTL_FAST_MATH\=YES export NATIVE_ARCH\=arm64 export NATIVE_ARCH_32_BIT\=arm export NATIVE_ARCH_64_BIT\=arm64 export NATIVE_ARCH_ACTUAL\=arm64 export NO_COMMON\=YES export OBJC_ABI_VERSION\=2 export OBJECT_FILE_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Objects export OBJECT_FILE_DIR_normal\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Objects-normal export OBJROOT\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex export ONLY_ACTIVE_ARCH\=NO export OS\=MACOS export OSAC\=/usr/bin/osacompile export PACKAGE_TYPE\=com.apple.package-type.wrapper.application export PASCAL_STRINGS\=YES export PATH\=/Applications/Xcode.app/Contents/SharedFrameworks/XCBuild.framework/Versions/A/PlugIns/XCBBuildService.bundle/Contents/PlugIns/XCBSpecifications.ideplugin/Contents/Resources:/Applications/Xcode.app/Contents/SharedFrameworks/XCBuild.framework/Versions/A/PlugIns/XCBBuildService.bundle/Contents/PlugIns/XCBSpecifications.ideplugin:/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin:/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/appleinternal/bin:/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/local/bin:/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/libexec:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/usr/bin:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/usr/appleinternal/bin:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/usr/local/bin:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/local/bin:/Applications/Xcode.app/Contents/Developer/usr/bin:/Applications/Xcode.app/Contents/Developer/usr/local/bin:/Library/Java/JavaVirtualMachines/openjdk-17.jdk/Contents/Home/bin:/opt/homebrew/opt/openjdk@17/bin:/Library/Frameworks/Python.framework/Versions/3.12/bin:/opt/homebrew/bin:/opt/homebrew/sbin:/usr/local/bin:/System/Cryptexes/App/usr/bin:/usr/bin:/bin:/usr/sbin:/sbin:/var/run/com.apple.security.cryptexd/codex.system/bootstrap/usr/local/bin:/var/run/com.apple.security.cryptexd/codex.system/bootstrap/usr/bin:/var/run/com.apple.security.cryptexd/codex.system/bootstrap/usr/appleinternal/bin:/Library/Apple/usr/bin:/Applications/VMware\ Fusion.app/Contents/Public:/usr/local/share/dotnet:/Library/Frameworks/Mono.framework/Versions/Current/Commands:/Users/jaredsteffen/Library/pnpm:/Users/jaredsteffen/.cargo/bin:/Users/jaredsteffen/Library/Android/sdk/platform-tools:/Users/jaredsteffen/Library/Android/sdk/tools:/Users/jaredsteffen/Library/Android/sdk/tools/bin:/Users/jaredsteffen/Library/Android/sdk/emulator export PATH_PREFIXES_EXCLUDED_FROM_HEADER_DEPENDENCIES\=/usr/include\ /usr/local/include\ /System/Library/Frameworks\ /System/Library/PrivateFrameworks\ /Applications/Xcode.app/Contents/Developer/Headers\ /Applications/Xcode.app/Contents/Developer/SDKs\ /Applications/Xcode.app/Contents/Developer/Platforms export PBDEVELOPMENTPLIST_PATH\=ta-app.app/pbdevelopment.plist export PER_ARCH_OBJECT_FILE_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Objects-normal/undefined_arch export PER_VARIANT_OBJECT_FILE_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Objects-normal export PKGINFO_FILE_PATH\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/PkgInfo export PKGINFO_PATH\=ta-app.app/PkgInfo export PLATFORM_DEVELOPER_APPLICATIONS_DIR\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Applications export PLATFORM_DEVELOPER_BIN_DIR\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/bin export PLATFORM_DEVELOPER_LIBRARY_DIR\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library export PLATFORM_DEVELOPER_SDK_DIR\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs export PLATFORM_DEVELOPER_TOOLS_DIR\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Tools export PLATFORM_DEVELOPER_USR_DIR\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr export PLATFORM_DIR\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform export PLATFORM_DISPLAY_NAME\=iOS\ Simulator export PLATFORM_FAMILY_NAME\=iOS export PLATFORM_NAME\=iphonesimulator export PLATFORM_PREFERRED_ARCH\=x86_64 export PLATFORM_PRODUCT_BUILD_VERSION\=22B74 export PLIST_FILE_OUTPUT_FORMAT\=binary export PLUGINS_FOLDER_PATH\=ta-app.app/PlugIns export PRECOMPS_INCLUDE_HEADERS_FROM_BUILT_PRODUCTS_DIR\=YES export PRECOMP_DESTINATION_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/PrefixHeaders export PRIVATE_HEADERS_FOLDER_PATH\=ta-app.app/PrivateHeaders export PROCESSED_INFOPLIST_PATH\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Objects-normal/undefined_arch/Processed-Info.plist export PRODUCT_BUNDLE_IDENTIFIER\=com.ta.app export PRODUCT_BUNDLE_PACKAGE_TYPE\=APPL export PRODUCT_MODULE_NAME\=ta_app export PRODUCT_NAME\=ta-app export PRODUCT_SETTINGS_PATH\=/Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple/app_iOS/Info.plist export PRODUCT_TYPE\=com.apple.product-type.application export PROFILING_CODE\=NO export PROJECT\=app export PROJECT_DERIVED_FILE_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/DerivedSources export PROJECT_DIR\=/Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple export PROJECT_FILE_PATH\=/Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple/app.xcodeproj export PROJECT_GUID\=ae18ceb30d46d3e5e4492e827d974eb5 export PROJECT_NAME\=app export PROJECT_TEMP_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build export PROJECT_TEMP_ROOT\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex export PROVISIONING_PROFILE_REQUIRED\=NO export PROVISIONING_PROFILE_REQUIRED_YES_YES\=YES export PROVISIONING_PROFILE_SUPPORTED\=YES export PUBLIC_HEADERS_FOLDER_PATH\=ta-app.app/Headers export RECOMMENDED_IPHONEOS_DEPLOYMENT_TARGET\=15.0 export RECURSIVE_SEARCH_PATHS_FOLLOW_SYMLINKS\=YES export REMOVE_CVS_FROM_RESOURCES\=YES export REMOVE_GIT_FROM_RESOURCES\=YES export REMOVE_HEADERS_FROM_EMBEDDED_BUNDLES\=YES export REMOVE_HG_FROM_RESOURCES\=YES export REMOVE_STATIC_EXECUTABLES_FROM_EMBEDDED_BUNDLES\=YES export REMOVE_SVN_FROM_RESOURCES\=YES export RESCHEDULE_INDEPENDENT_HEADERS_PHASES\=YES export REZ_COLLECTOR_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/ResourceManagerResources export REZ_OBJECTS_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/ResourceManagerResources/Objects export REZ_SEARCH_PATHS\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products/debug-iphonesimulator\ export SCAN_ALL_SOURCE_FILES_FOR_INCLUDES\=NO export SCRIPTS_FOLDER_PATH\=ta-app.app/Scripts export SCRIPT_INPUT_FILE_COUNT\=0 export SCRIPT_INPUT_FILE_LIST_COUNT\=0 export SCRIPT_OUTPUT_FILE_0\=/Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple/Externals/x86_64/debug/libapp_lib.a export SCRIPT_OUTPUT_FILE_1\=/Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple/Externals/arm64/debug/libapp_lib.a export SCRIPT_OUTPUT_FILE_2\=/Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple/Externals/arm64-sim/debug/libapp_lib.a export SCRIPT_OUTPUT_FILE_COUNT\=3 export SCRIPT_OUTPUT_FILE_LIST_COUNT\=0 export SDKROOT\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator18.1.sdk export SDK_DIR\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator18.1.sdk export SDK_DIR_iphonesimulator\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator18.1.sdk export SDK_DIR_iphonesimulator18_1\=/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator18.1.sdk export SDK_NAME\=iphonesimulator18.1 export SDK_NAMES\=iphonesimulator18.1 export SDK_PRODUCT_BUILD_VERSION\=22B74 export SDK_STAT_CACHE_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData export SDK_STAT_CACHE_ENABLE\=YES export SDK_STAT_CACHE_PATH\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/SDKStatCaches.noindex/iphonesimulator18.1-22B74-3d93aac3a03ebac1dd8474c5def773dc.sdkstatcache export SDK_VERSION\=18.1 export SDK_VERSION_ACTUAL\=180100 export SDK_VERSION_MAJOR\=180000 export SDK_VERSION_MINOR\=180100 export SED\=/usr/bin/sed export SEPARATE_STRIP\=NO export SEPARATE_SYMBOL_EDIT\=NO export SET_DIR_MODE_OWNER_GROUP\=YES export SET_FILE_MODE_OWNER_GROUP\=NO export SHALLOW_BUNDLE\=YES export SHALLOW_BUNDLE_TRIPLE\=ios-simulator export SHALLOW_BUNDLE_ios_macabi\=NO export SHALLOW_BUNDLE_macos\=NO export SHARED_DERIVED_FILE_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products/debug-iphonesimulator/DerivedSources export SHARED_FRAMEWORKS_FOLDER_PATH\=ta-app.app/SharedFrameworks export SHARED_PRECOMPS_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/PrecompiledHeaders export SHARED_SUPPORT_FOLDER_PATH\=ta-app.app/SharedSupport export SKIP_INSTALL\=NO export SOURCE_ROOT\=/Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple export SRCROOT\=/Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple export STRINGSDATA_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Objects-normal/undefined_arch export STRINGSDATA_ROOT\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build export STRINGS_FILE_INFOPLIST_RENAME\=YES export STRINGS_FILE_OUTPUT_ENCODING\=binary export STRIP_BITCODE_FROM_COPIED_FILES\=NO export STRIP_INSTALLED_PRODUCT\=NO export STRIP_STYLE\=all export STRIP_SWIFT_SYMBOLS\=YES export SUPPORTED_DEVICE_FAMILIES\=1,2 export SUPPORTED_PLATFORMS\=iphoneos\ iphonesimulator export SUPPORTS_MACCATALYST\=NO export SUPPORTS_ON_DEMAND_RESOURCES\=YES export SUPPORTS_TEXT_BASED_API\=NO export SUPPRESS_WARNINGS\=NO export SWIFT_ACTIVE_COMPILATION_CONDITIONS\=DEBUG export SWIFT_EMIT_LOC_STRINGS\=NO export SWIFT_OPTIMIZATION_LEVEL\=-Onone export SWIFT_PLATFORM_TARGET_PREFIX\=ios export SWIFT_RESPONSE_FILE_PATH_normal_arm64-sim\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Objects-normal/arm64-sim/ta-app.SwiftFileList export SWIFT_VERSION\=5.0 export SYMROOT\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products export SYSTEM_ADMIN_APPS_DIR\=/Applications/Utilities export SYSTEM_APPS_DIR\=/Applications export SYSTEM_CORE_SERVICES_DIR\=/System/Library/CoreServices export SYSTEM_DEMOS_DIR\=/Applications/Extras export SYSTEM_DEVELOPER_APPS_DIR\=/Applications/Xcode.app/Contents/Developer/Applications export SYSTEM_DEVELOPER_BIN_DIR\=/Applications/Xcode.app/Contents/Developer/usr/bin export SYSTEM_DEVELOPER_DEMOS_DIR\=/Applications/Xcode.app/Contents/Developer/Applications/Utilities/Built\ Examples export SYSTEM_DEVELOPER_DIR\=/Applications/Xcode.app/Contents/Developer export SYSTEM_DEVELOPER_DOC_DIR\=/Applications/Xcode.app/Contents/Developer/ADC\ Reference\ Library export SYSTEM_DEVELOPER_GRAPHICS_TOOLS_DIR\=/Applications/Xcode.app/Contents/Developer/Applications/Graphics\ Tools export SYSTEM_DEVELOPER_JAVA_TOOLS_DIR\=/Applications/Xcode.app/Contents/Developer/Applications/Java\ Tools export SYSTEM_DEVELOPER_PERFORMANCE_TOOLS_DIR\=/Applications/Xcode.app/Contents/Developer/Applications/Performance\ Tools export SYSTEM_DEVELOPER_RELEASENOTES_DIR\=/Applications/Xcode.app/Contents/Developer/ADC\ Reference\ Library/releasenotes export SYSTEM_DEVELOPER_TOOLS\=/Applications/Xcode.app/Contents/Developer/Tools export SYSTEM_DEVELOPER_TOOLS_DOC_DIR\=/Applications/Xcode.app/Contents/Developer/ADC\ Reference\ Library/documentation/DeveloperTools export SYSTEM_DEVELOPER_TOOLS_RELEASENOTES_DIR\=/Applications/Xcode.app/Contents/Developer/ADC\ Reference\ Library/releasenotes/DeveloperTools export SYSTEM_DEVELOPER_USR_DIR\=/Applications/Xcode.app/Contents/Developer/usr export SYSTEM_DEVELOPER_UTILITIES_DIR\=/Applications/Xcode.app/Contents/Developer/Applications/Utilities export SYSTEM_DEXT_INSTALL_PATH\=/System/Library/DriverExtensions export SYSTEM_DOCUMENTATION_DIR\=/Library/Documentation export SYSTEM_EXTENSIONS_FOLDER_PATH\=ta-app.app/SystemExtensions export SYSTEM_EXTENSIONS_FOLDER_PATH_SHALLOW_BUNDLE_NO\=ta-app.app/Library/SystemExtensions export SYSTEM_EXTENSIONS_FOLDER_PATH_SHALLOW_BUNDLE_YES\=ta-app.app/SystemExtensions export SYSTEM_KEXT_INSTALL_PATH\=/System/Library/Extensions export SYSTEM_LIBRARY_DIR\=/System/Library export TAPI_DEMANGLE\=YES export TAPI_ENABLE_PROJECT_HEADERS\=NO export TAPI_LANGUAGE\=objective-c export TAPI_LANGUAGE_STANDARD\=compiler-default export TAPI_USE_SRCROOT\=YES export TAPI_VERIFY_MODE\=Pedantic export TARGETED_DEVICE_FAMILY\=1,2 export TARGETNAME\=app_iOS export TARGET_BUILD_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Products/debug-iphonesimulator export TARGET_NAME\=app_iOS export TARGET_TEMP_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build export TEMP_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build export TEMP_FILES_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build export TEMP_FILE_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build export TEMP_ROOT\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex export TEST_FRAMEWORK_SEARCH_PATHS\=\ /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Frameworks\ /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator18.1.sdk/Developer/Library/Frameworks export TEST_LIBRARY_SEARCH_PATHS\=\ /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/usr/lib export TOOLCHAINS\=com.apple.dt.toolchain.XcodeDefault export TOOLCHAIN_DIR\=/Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain export TREAT_MISSING_BASELINES_AS_TEST_FAILURES\=NO export TREAT_MISSING_SCRIPT_PHASE_OUTPUTS_AS_ERRORS\=NO export TeamIdentifierPrefix\=54T34FM7VV. export UID\=501 export UNINSTALLED_PRODUCTS_DIR\=/Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/UninstalledProducts export UNLOCALIZED_RESOURCES_FOLDER_PATH\=ta-app.app export UNLOCALIZED_RESOURCES_FOLDER_PATH_SHALLOW_BUNDLE_NO\=ta-app.app/Resources export UNLOCALIZED_RESOURCES_FOLDER_PATH_SHALLOW_BUNDLE_YES\=ta-app.app export UNSTRIPPED_PRODUCT\=NO export USER\=jaredsteffen export USER_APPS_DIR\=/Users/jaredsteffen/Applications export USER_LIBRARY_DIR\=/Users/jaredsteffen/Library export USE_DYNAMIC_NO_PIC\=YES export USE_HEADERMAP\=YES export USE_HEADER_SYMLINKS\=NO export VALIDATE_DEVELOPMENT_ASSET_PATHS\=YES_ERROR export VALIDATE_PRODUCT\=NO export VALID_ARCHS\=arm64\ \ arm64-sim export VERBOSE_PBXCP\=NO export VERSIONPLIST_PATH\=ta-app.app/version.plist export VERSION_INFO_BUILDER\=jaredsteffen export VERSION_INFO_FILE\=ta-app_vers.c export VERSION_INFO_STRING\=\"@\(\#\)PROGRAM:ta-app\ \ PROJECT:app-\" export WORKSPACE_DIR\=/Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple/app.xcodeproj export WRAPPER_EXTENSION\=app export WRAPPER_NAME\=ta-app.app export WRAPPER_SUFFIX\=.app export WRAP_ASSET_PACKS_IN_SEPARATE_DIRECTORIES\=NO export XCODE_APP_SUPPORT_DIR\=/Applications/Xcode.app/Contents/Developer/Library/Xcode export XCODE_PRODUCT_BUILD_VERSION\=16B40 export XCODE_VERSION_ACTUAL\=1610 export XCODE_VERSION_MAJOR\=1600 export XCODE_VERSION_MINOR\=1610 export XPCSERVICES_FOLDER_PATH\=ta-app.app/XPCServices export YACC\=yacc export _WRAPPER_CONTENTS_DIR_SHALLOW_BUNDLE_NO\=/Contents export _WRAPPER_PARENT_PATH_SHALLOW_BUNDLE_NO\=/.. export _WRAPPER_RESOURCES_DIR_SHALLOW_BUNDLE_NO\=/Resources export __IS_NOT_MACOS\=YES export __IS_NOT_MACOS_macosx\=NO export __IS_NOT_SIMULATOR\=NO export __IS_NOT_SIMULATOR_simulator\=NO export arch\=undefined_arch export diagnostic_message_length\=93 export variant\=normal /bin/sh -c /Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Script-E028F843270D8815FCE2B491.sh node:internal/modules/cjs/loader:1148 throw err; ^ Error: Cannot find module '/Users/jaredsteffen/Sites/tauri-ta/src-tauri/gen/apple/tauri' at Module._resolveFilename (node:internal/modules/cjs/loader:1145:15) at Module._load (node:internal/modules/cjs/loader:986:27) at Function.executeUserEntryPoint [as runMain] (node:internal/modules/run_main:174:12) at node:internal/main/run_main_module:28:49 { code: 'MODULE_NOT_FOUND', requireStack: [] } Node.js v20.13.1 Command PhaseScriptExecution failed with a nonzero exit code note: Run script build phase 'Build Rust Code' will be run during every build because the option to run the script phase "Based on dependency analysis" is unchecked. (in target 'app_iOS' from project 'app') ** BUILD FAILED ** The following build commands failed: PhaseScriptExecution Build\ Rust\ Code /Users/jaredsteffen/Library/Developer/Xcode/DerivedData/app-dewavmrsyimjrwbzymmikgvmlwuj/Build/Intermediates.noindex/app.build/debug-iphonesimulator/app_iOS.build/Script-E028F843270D8815FCE2B491.sh (in target 'app_iOS' from project 'app') Building workspace app with scheme app_iOS and configuration debug (2 failures) command ["xcodebuild"] exited with code 65 Error command ["xcodebuild"] exited with code 65 ``` ### Reproduction _No response_ ### Expected behavior _No response_ ### Full `tauri info` output ```text [โœ”] Environment - OS: Mac OS 15.1.1 arm64 (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-aarch64-apple-darwin (default) - node: 20.13.1 - pnpm: 8.15.8 - npm: 10.5.2 [-] Packages - tauri ๐Ÿฆ€: 2.1.1 - tauri-build ๐Ÿฆ€: 2.0.3 - wry ๐Ÿฆ€: 0.47.2 - tao ๐Ÿฆ€: 0.30.8 - tauri-cli ๐Ÿฆ€: 2.1.0 - @tauri-apps/api ๎œ˜: 2.1.1 - @tauri-apps/cli ๎œ˜: 2.0.0-rc.18 (outdated, latest: 2.1.0) [-] Plugins [-] App - build-type: bundle - CSP: unset - frontendDist: ../dist - devUrl: http://localhost:1420/ - framework: React - bundler: Vite [-] iOS - Developer Teams: Jared Griffin (ID: 54T34FM7VV) ``` ### Stack trace _No response_ ### Additional context _No response_
type: bug,status: needs triage,platform: iOS
low
Critical
2,710,153,624
deno
MongoDB TLS connection still has problems
I just updated โ€œdenoโ€ to โ€œdeno-2.1.2โ€ and found that this problem (https://github.com/denoland/deno/issues/26660) is still there. ![image](https://github.com/user-attachments/assets/7b906514-3e7b-4a95-a246-dd0f20cf68fe) ![image](https://github.com/user-attachments/assets/cd2ccb60-c95b-4d87-b2a2-f3c0ce8b9add) MongodB log: ![image](https://github.com/user-attachments/assets/185eeded-c9e6-4fc1-a301-9e22d50755b2) _Originally posted by @LP1994 in https://github.com/denoland/deno/issues/26660#issuecomment-2508845166_
bug,tls,node compat
low
Major
2,710,199,909
node
Ignore 3rd party compiled abseil-cpp and use current bundled abseil-cpp
### Version 22.11.0 ### Platform ```text Linux OpenWrt 6.12 #0 SMP Mon Nov 18 09:07:00 2024 x86_64 GNU/Linux ``` ### Subsystem _No response_ ### What steps will reproduce the bug? Compile and install protobuf 25.3 with bundled abseil-cpp, then when compiling node, node use it instead compiling bundled one from node itself. ### How often does it reproduce? Is there a required condition? Always, compile and install protobuf 25.3 first, then try to compile node 22.11.0 ### What is the expected behavior? Why is that the expected behavior? Needs Node build system option for compiling only using bundled abseil-cpp from node itself. If possible statically linked with node's bundled abseil-cpp. ### What do you see instead? Node is using abseil-cpp from protobuf 25.3 when it shouldn't. Linking will error out as mismatch abseil-cpp version with undefined references error. ### Additional information OpenWrt x86_64 Linker errors : ``` g++ -o /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/mksnapshot -pthread -rdynamic -m64 -m64 -L../../../../staging_dir/hostpkg/share/icu/current/lib -L/home/user/works/openwrt/staging_dir/host/lib -L/home/user/works/openwrt/staging_dir/hostpkg/lib -L/home/user/works/openwrt/staging_dir/target-x86_64_glibc_user/host/lib -Wl,--start-group /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/mksnapshot/deps/v8/src/snapshot/embedded/embedded-empty.o /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/mksnapshot/deps/v8/src/snapshot/embedded/embedded-file-writer.o /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/mksnapshot/deps/v8/src/snapshot/embedded/platform-embedded-file-writer-aix.o /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/mksnapshot/deps/v8/src/snapshot/embedded/platform-embedded-file-writer-base.o /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/mksnapshot/deps/v8/src/snapshot/embedded/platform-embedded-file-writer-generic.o /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/mksnapshot/deps/v8/src/snapshot/embedded/platform-embedded-file-writer-mac.o /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/mksnapshot/deps/v8/src/snapshot/embedded/platform-embedded-file-writer-win.o /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/mksnapshot/deps/v8/src/snapshot/mksnapshot.o /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/mksnapshot/deps/v8/src/snapshot/snapshot-empty.o /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/mksnapshot/deps/v8/src/snapshot/static-roots-gen.o /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/v8_gypfiles/libv8_base_without_compiler.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/v8_gypfiles/libv8_init.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/v8_gypfiles/libv8_libbase.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/v8_gypfiles/libv8_libplatform.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/v8_gypfiles/libv8_turboshaft.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/v8_gypfiles/libv8_abseil.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/icu/libicui18n.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/icu/libicuucx.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/icu/libicudata.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/icu/libicustubdata.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/v8_gypfiles/libv8_zlib.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/v8_gypfiles/libv8_compiler.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/v8_gypfiles/libv8_initializers.a /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/tools/v8_gypfiles/libv8_initializers_slow.a -ldl -lrt -Wl,--end-group /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/store-store-elimination-phase.o: warning: relocation against `_ZN4absl12lts_2023080213hash_internal15MixingHashState5kSeedE' in read-only section `.text._ZN2v88internal8compiler10turboshaft25MaybeRedundantStoresTable10map_to_keyENS2_7OpIndexEih[_ZN2v88internal8compiler10turboshaft25MaybeRedundantStoresTable10map_to_keyENS2_7OpIndexEih]' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_base_without_compiler/deps/v8/src/wasm/turboshaft-graph-interface.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::Block*, v8::internal::wasm::TurboshaftGraphBuildingInterface::BlockPhis>, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::Block*, void>::Hash, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::Block*, void>::Eq, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::Block* const, v8::internal::wasm::TurboshaftGraphBuildingInterface::BlockPhis> > >::hash_slot_fn(void*, void*)': turboshaft-graph-interface.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPN2v88internal8compiler10turboshaft5BlockENS5_4wasm32TurboshaftGraphBuildingInterface9BlockPhisEEENS1_6HashEqIS9_vE4HashENSF_2EqENS5_13ZoneAllocatorISt4pairIKS9_SC_EEEE12hash_slot_fnEPvSO_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPN2v88internal8compiler10turboshaft5BlockENS5_4wasm32TurboshaftGraphBuildingInterface9BlockPhisEEENS1_6HashEqIS9_vE4HashENSF_2EqENS5_13ZoneAllocatorISt4pairIKS9_SC_EEEE12hash_slot_fnEPvSO_]+0x6): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_base_without_compiler/deps/v8/src/wasm/turboshaft-graph-interface.o: in function `v8::internal::wasm::TurboshaftGraphBuildingInterface::SetupControlFlowEdge(v8::internal::wasm::WasmFullDecoder<v8::internal::wasm::Decoder::FullValidationTag, v8::internal::wasm::TurboshaftGraphBuildingInterface, (v8::internal::wasm::DecodingMode)0>*, v8::internal::compiler::turboshaft::Block*, unsigned int, v8::internal::compiler::turboshaft::V<v8::internal::Object>, v8::internal::wasm::Merge<v8::internal::wasm::TurboshaftGraphBuildingInterface::Value>*)': turboshaft-graph-interface.cc:(.text._ZN2v88internal4wasm32TurboshaftGraphBuildingInterface20SetupControlFlowEdgeEPNS1_15WasmFullDecoderINS1_7Decoder17FullValidationTagES2_LNS1_12DecodingModeE0EEEPNS0_8compiler10turboshaft5BlockEjNSA_1VINS0_6ObjectEEEPNS1_5MergeINS2_5ValueEEE[_ZN2v88internal4wasm32TurboshaftGraphBuildingInterface20SetupControlFlowEdgeEPNS1_15WasmFullDecoderINS1_7Decoder17FullValidationTagES2_LNS1_12DecodingModeE0EEEPNS0_8compiler10turboshaft5BlockEjNSA_1VINS0_6ObjectEEEPNS1_5MergeINS2_5ValueEEE]+0x2c): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_base_without_compiler/deps/v8/src/wasm/turboshaft-graph-interface.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::Block*, v8::internal::wasm::TurboshaftGraphBuildingInterface::BlockPhis>, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::Block*, void>::Hash, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::Block*, void>::Eq, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::Block* const, v8::internal::wasm::TurboshaftGraphBuildingInterface::BlockPhis> > >::raw_hash_set(unsigned long, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::Block*, void>::Hash const&, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::Block*, void>::Eq const&, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::Block* const, v8::internal::wasm::TurboshaftGraphBuildingInterface::BlockPhis> > const&)': turboshaft-graph-interface.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPN2v88internal8compiler10turboshaft5BlockENS5_4wasm32TurboshaftGraphBuildingInterface9BlockPhisEEENS1_6HashEqIS9_vE4HashENSF_2EqENS5_13ZoneAllocatorISt4pairIKS9_SC_EEEEC2EmRKSG_RKSH_RKSM_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPN2v88internal8compiler10turboshaft5BlockENS5_4wasm32TurboshaftGraphBuildingInterface9BlockPhisEEENS1_6HashEqIS9_vE4HashENSF_2EqENS5_13ZoneAllocatorISt4pairIKS9_SC_EEEEC5EmRKSG_RKSH_RKSM_]+0x3): undefined reference to `absl::lts_20230802::container_internal::kEmptyGroup' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_base_without_compiler/deps/v8/src/wasm/turboshaft-graph-interface.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::Block*, v8::internal::wasm::TurboshaftGraphBuildingInterface::BlockPhis>, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::Block*, void>::Hash, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::Block*, void>::Eq, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::Block* const, v8::internal::wasm::TurboshaftGraphBuildingInterface::BlockPhis> > >::resize(unsigned long)': turboshaft-graph-interface.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPN2v88internal8compiler10turboshaft5BlockENS5_4wasm32TurboshaftGraphBuildingInterface9BlockPhisEEENS1_6HashEqIS9_vE4HashENSF_2EqENS5_13ZoneAllocatorISt4pairIKS9_SC_EEEE6resizeEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPN2v88internal8compiler10turboshaft5BlockENS5_4wasm32TurboshaftGraphBuildingInterface9BlockPhisEEENS1_6HashEqIS9_vE4HashENSF_2EqENS5_13ZoneAllocatorISt4pairIKS9_SC_EEEE6resizeEm]+0x40): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_base_without_compiler/deps/v8/src/wasm/turboshaft-graph-interface.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::Block*, v8::internal::wasm::TurboshaftGraphBuildingInterface::BlockPhis>, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::Block*, void>::Hash, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::Block*, void>::Eq, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::Block* const, v8::internal::wasm::TurboshaftGraphBuildingInterface::BlockPhis> > >::prepare_insert(unsigned long)': turboshaft-graph-interface.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPN2v88internal8compiler10turboshaft5BlockENS5_4wasm32TurboshaftGraphBuildingInterface9BlockPhisEEENS1_6HashEqIS9_vE4HashENSF_2EqENS5_13ZoneAllocatorISt4pairIKS9_SC_EEEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPN2v88internal8compiler10turboshaft5BlockENS5_4wasm32TurboshaftGraphBuildingInterface9BlockPhisEEENS1_6HashEqIS9_vE4HashENSF_2EqENS5_13ZoneAllocatorISt4pairIKS9_SC_EEEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_base_without_compiler/deps/v8/src/wasm/turboshaft-graph-interface.o: in function `v8::internal::wasm::TurboshaftGraphBuildingInterface::NewBlockWithPhis(v8::internal::wasm::WasmFullDecoder<v8::internal::wasm::Decoder::FullValidationTag, v8::internal::wasm::TurboshaftGraphBuildingInterface, (v8::internal::wasm::DecodingMode)0>*, v8::internal::wasm::Merge<v8::internal::wasm::TurboshaftGraphBuildingInterface::Value>*)': turboshaft-graph-interface.cc:(.text._ZN2v88internal4wasm32TurboshaftGraphBuildingInterface16NewBlockWithPhisEPNS1_15WasmFullDecoderINS1_7Decoder17FullValidationTagES2_LNS1_12DecodingModeE0EEEPNS1_5MergeINS2_5ValueEEE[_ZN2v88internal4wasm32TurboshaftGraphBuildingInterface16NewBlockWithPhisEPNS1_15WasmFullDecoderINS1_7Decoder17FullValidationTagES2_LNS1_12DecodingModeE0EEEPNS1_5MergeINS2_5ValueEEE]+0x150): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_base_without_compiler/deps/v8/src/wasm/turboshaft-graph-interface.o: in function `v8::internal::wasm::TurboshaftGraphBuildingInterface::BindBlockAndGeneratePhis(v8::internal::wasm::WasmFullDecoder<v8::internal::wasm::Decoder::FullValidationTag, v8::internal::wasm::TurboshaftGraphBuildingInterface, (v8::internal::wasm::DecodingMode)0>*, v8::internal::compiler::turboshaft::Block*, v8::internal::wasm::Merge<v8::internal::wasm::TurboshaftGraphBuildingInterface::Value>*, v8::internal::compiler::turboshaft::OpIndex*)': turboshaft-graph-interface.cc:(.text._ZN2v88internal4wasm32TurboshaftGraphBuildingInterface24BindBlockAndGeneratePhisEPNS1_15WasmFullDecoderINS1_7Decoder17FullValidationTagES2_LNS1_12DecodingModeE0EEEPNS0_8compiler10turboshaft5BlockEPNS1_5MergeINS2_5ValueEEEPNSA_7OpIndexE[_ZN2v88internal4wasm32TurboshaftGraphBuildingInterface24BindBlockAndGeneratePhisEPNS1_15WasmFullDecoderINS1_7Decoder17FullValidationTagES2_LNS1_12DecodingModeE0EEEPNS0_8compiler10turboshaft5BlockEPNS1_5MergeINS2_5ValueEEEPNSA_7OpIndexE]+0xa8): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: turboshaft-graph-interface.cc:(.text._ZN2v88internal4wasm32TurboshaftGraphBuildingInterface24BindBlockAndGeneratePhisEPNS1_15WasmFullDecoderINS1_7Decoder17FullValidationTagES2_LNS1_12DecodingModeE0EEEPNS0_8compiler10turboshaft5BlockEPNS1_5MergeINS2_5ValueEEEPNSA_7OpIndexE[_ZN2v88internal4wasm32TurboshaftGraphBuildingInterface24BindBlockAndGeneratePhisEPNS1_15WasmFullDecoderINS1_7Decoder17FullValidationTagES2_LNS1_12DecodingModeE0EEEPNS0_8compiler10turboshaft5BlockEPNS1_5MergeINS2_5ValueEEEPNSA_7OpIndexE]+0x48d): undefined reference to `absl::lts_20230802::container_internal::EraseMetaOnly(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::ctrl_t*, unsigned long)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/csa-optimize-phase.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex> > > >::raw_hash_set(unsigned long, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex> const&, std::equal_to<v8::internal::compiler::turboshaft::OpIndex> const&, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex> > > const&)': csa-optimize-phase.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SA_EEEEC2EmRKSE_RKSG_RKSL_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SA_EEEEC5EmRKSE_RKSG_RKSL_]+0x3): undefined reference to `absl::lts_20230802::container_internal::kEmptyGroup' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/csa-optimize-phase.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::MemoryAddress, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::MemoryAddress>, std::equal_to<v8::internal::compiler::turboshaft::MemoryAddress>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::MemoryAddress const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData> > > >::raw_hash_set(unsigned long, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::MemoryAddress> const&, std::equal_to<v8::internal::compiler::turboshaft::MemoryAddress> const&, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::MemoryAddress const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData> > > const&)': csa-optimize-phase.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft13MemoryAddressENS7_16SnapshotTableKeyINS7_7OpIndexENS7_7KeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEEC2EmRKSG_RKSI_RKSN_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft13MemoryAddressENS7_16SnapshotTableKeyINS7_7OpIndexENS7_7KeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEEC5EmRKSG_RKSI_RKSN_]+0x3): undefined reference to `absl::lts_20230802::container_internal::kEmptyGroup' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/csa-optimize-phase.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::BaseData>, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::BaseData> > >::raw_hash_set(unsigned long, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex> const&, std::equal_to<v8::internal::compiler::turboshaft::OpIndex> const&, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::BaseData> > const&)': csa-optimize-phase.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_8BaseDataEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_S9_EEEEC2EmRKSD_RKSF_RKSK_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_8BaseDataEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_S9_EEEEC5EmRKSD_RKSF_RKSK_]+0x3): undefined reference to `absl::lts_20230802::container_internal::kEmptyGroup' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/csa-optimize-phase.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> > > >::raw_hash_set(unsigned long, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex> const&, std::equal_to<v8::internal::compiler::turboshaft::OpIndex> const&, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> > > const&)': csa-optimize-phase.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyIbNS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SB_EEEEC2EmRKSF_RKSH_RKSM_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyIbNS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SB_EEEEC5EmRKSF_RKSH_RKSM_]+0x3): undefined reference to `absl::lts_20230802::container_internal::kEmptyGroup' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/csa-optimize-phase.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::MapMaskAndOr, v8::internal::compiler::turboshaft::NoKeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::MapMaskAndOr, v8::internal::compiler::turboshaft::NoKeyData> > > >::raw_hash_set(unsigned long, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex> const&, std::equal_to<v8::internal::compiler::turboshaft::OpIndex> const&, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::MapMaskAndOr, v8::internal::compiler::turboshaft::NoKeyData> > > const&)': csa-optimize-phase.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyINS7_12MapMaskAndOrENS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEEC2EmRKSG_RKSI_RKSN_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyINS7_12MapMaskAndOrENS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEEC5EmRKSG_RKSI_RKSN_]+0x3): undefined reference to `absl::lts_20230802::container_internal::kEmptyGroup' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/csa-optimize-phase.o:csa-optimize-phase.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiN2v84base18DoublyThreadedListINS4_8internal8compiler10turboshaft16SnapshotTableKeyINS9_7OpIndexENS9_7KeyDataEEENS9_16OffsetListTraitsEEEEENS0_13hash_internal4HashIiEESt8equal_toIiENS7_13ZoneAllocatorISt4pairIKiSF_EEEEC2EmRKSJ_RKSL_RKSQ_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiN2v84base18DoublyThreadedListINS4_8internal8compiler10turboshaft16SnapshotTableKeyINS9_7OpIndexENS9_7KeyDataEEENS9_16OffsetListTraitsEEEEENS0_13hash_internal4HashIiEESt8equal_toIiENS7_13ZoneAllocatorISt4pairIKiSF_EEEEC5EmRKSJ_RKSL_RKSQ_]+0x3): more undefined references to `absl::lts_20230802::container_internal::kEmptyGroup' follow /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/csa-optimize-phase.o: in function `v8::internal::compiler::turboshaft::MemoryOptimizationReducer<v8::internal::compiler::turboshaft::ReducerStack<v8::internal::compiler::turboshaft::Assembler<v8::internal::compiler::turboshaft::reducer_list<v8::internal::compiler::turboshaft::TurboshaftAssemblerOpInterface, v8::internal::compiler::turboshaft::GraphVisitor, v8::internal::compiler::turboshaft::PretenuringPropagationReducer, v8::internal::compiler::turboshaft::MachineOptimizationReducer, v8::internal::compiler::turboshaft::MemoryOptimizationReducer, v8::internal::compiler::turboshaft::ValueNumberingReducer, v8::internal::compiler::turboshaft::TSReducerBase> >, true, v8::internal::compiler::turboshaft::ValueNumberingReducer, v8::internal::compiler::turboshaft::TSReducerBase> >::ReduceInputGraphStore(v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::StoreOp const&)': csa-optimize-phase.cc:(.text._ZN2v88internal8compiler10turboshaft25MemoryOptimizationReducerINS2_12ReducerStackINS2_9AssemblerINS2_12reducer_listIJNS2_30TurboshaftAssemblerOpInterfaceENS2_12GraphVisitorENS2_29PretenuringPropagationReducerENS2_26MachineOptimizationReducerES3_NS2_21ValueNumberingReducerENS2_13TSReducerBaseEEEEEELb1EJSB_SC_EEEE21ReduceInputGraphStoreENS2_7OpIndexERKNS2_7StoreOpE[_ZN2v88internal8compiler10turboshaft25MemoryOptimizationReducerINS2_12ReducerStackINS2_9AssemblerINS2_12reducer_listIJNS2_30TurboshaftAssemblerOpInterfaceENS2_12GraphVisitorENS2_29PretenuringPropagationReducerENS2_26MachineOptimizationReducerES3_NS2_21ValueNumberingReducerENS2_13TSReducerBaseEEEEEELb1EJSB_SC_EEEE21ReduceInputGraphStoreENS2_7OpIndexERKNS2_7StoreOpE]+0xe): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<int, v8::base::DoublyThreadedList<v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData>, v8::internal::compiler::turboshaft::OffsetListTraits> >, absl::lts_20230802::hash_internal::Hash<int>, std::equal_to<int>, v8::internal::ZoneAllocator<std::pair<int const, v8::base::DoublyThreadedList<v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData>, v8::internal::compiler::turboshaft::OffsetListTraits> > > >::hash_slot_fn(void*, void*)': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiN2v84base18DoublyThreadedListINS4_8internal8compiler10turboshaft16SnapshotTableKeyINS9_7OpIndexENS9_7KeyDataEEENS9_16OffsetListTraitsEEEEENS0_13hash_internal4HashIiEESt8equal_toIiENS7_13ZoneAllocatorISt4pairIKiSF_EEEE12hash_slot_fnEPvSS_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiN2v84base18DoublyThreadedListINS4_8internal8compiler10turboshaft16SnapshotTableKeyINS9_7OpIndexENS9_7KeyDataEEENS9_16OffsetListTraitsEEEEENS0_13hash_internal4HashIiEESt8equal_toIiENS7_13ZoneAllocatorISt4pairIKiSF_EEEE12hash_slot_fnEPvSS_]+0x5): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::BaseData>, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::BaseData> > >::hash_slot_fn(void*, void*)': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_8BaseDataEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_S9_EEEE12hash_slot_fnEPvSM_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_8BaseDataEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_S9_EEEE12hash_slot_fnEPvSM_]+0x5): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> > > >::hash_slot_fn(void*, void*)': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyIbNS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SB_EEEE12hash_slot_fnEPvSO_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyIbNS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SB_EEEE12hash_slot_fnEPvSO_]+0x5): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::MapMaskAndOr, v8::internal::compiler::turboshaft::NoKeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::MapMaskAndOr, v8::internal::compiler::turboshaft::NoKeyData> > > >::hash_slot_fn(void*, void*)': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyINS7_12MapMaskAndOrENS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEE12hash_slot_fnEPvSP_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyINS7_12MapMaskAndOrENS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEE12hash_slot_fnEPvSP_]+0x5): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o:late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft13MemoryAddressENS7_16SnapshotTableKeyINS7_7OpIndexENS7_7KeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEE12hash_slot_fnEPvSP_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft13MemoryAddressENS7_16SnapshotTableKeyINS7_7OpIndexENS7_7KeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEE12hash_slot_fnEPvSP_]+0x4): more undefined references to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' follow /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::MemoryAddress, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::MemoryAddress>, std::equal_to<v8::internal::compiler::turboshaft::MemoryAddress>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::MemoryAddress const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData> > > >::prepare_insert(unsigned long)': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft13MemoryAddressENS7_16SnapshotTableKeyINS7_7OpIndexENS7_7KeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft13MemoryAddressENS7_16SnapshotTableKeyINS7_7OpIndexENS7_7KeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `decltype (((declval<absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::MemoryAddress, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::MemoryAddress>, std::equal_to<v8::internal::compiler::turboshaft::MemoryAddress>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::MemoryAddress const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData> > > >::EmplaceDecomposable>)())((declval<v8::internal::compiler::turboshaft::MemoryAddress&& const&>)(), std::piecewise_construct, (declval<std::tuple<v8::internal::compiler::turboshaft::MemoryAddress&&> >)(), (declval<std::tuple<v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData>&&> >)())) absl::lts_20230802::container_internal::memory_internal::DecomposePairImpl<absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::MemoryAddress, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::MemoryAddress>, std::equal_to<v8::internal::compiler::turboshaft::MemoryAddress>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::MemoryAddress const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData> > > >::EmplaceDecomposable, v8::internal::compiler::turboshaft::MemoryAddress&&, std::tuple<v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData>&&> >(absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::MemoryAddress, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::MemoryAddress>, std::equal_to<v8::internal::compiler::turboshaft::MemoryAddress>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::MemoryAddress const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData> > > >::EmplaceDecomposable&&, std::pair<std::tuple<v8::internal::compiler::turboshaft::MemoryAddress&&>, std::tuple<v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData>&&> >) [clone .isra.0]': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal15memory_internal17DecomposePairImplINS1_12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft13MemoryAddressENS9_16SnapshotTableKeyINS9_7OpIndexENS9_7KeyDataEEEEENS0_13hash_internal4HashISA_EESt8equal_toISA_ENS7_13ZoneAllocatorISt4pairIKSA_SE_EEEE19EmplaceDecomposableEOSA_St5tupleIJOSE_EEEEDTclcl7declvalIT_EEcl7declvalIRKT0_EEL_ZSt19piecewise_constructEcl7declvalIST_IJSX_EEEEcl7declvalIT1_EEEEOSW_SM_IS10_S11_E.isra.0+0x20): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::BaseData>, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::BaseData> > >::resize(unsigned long)': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_8BaseDataEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_S9_EEEE6resizeEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_8BaseDataEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_S9_EEEE6resizeEm]+0x44): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::BaseData>, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::BaseData> > >::prepare_insert(unsigned long)': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_8BaseDataEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_S9_EEEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_8BaseDataEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_S9_EEEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<int, v8::base::DoublyThreadedList<v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData>, v8::internal::compiler::turboshaft::OffsetListTraits> >, absl::lts_20230802::hash_internal::Hash<int>, std::equal_to<int>, v8::internal::ZoneAllocator<std::pair<int const, v8::base::DoublyThreadedList<v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData>, v8::internal::compiler::turboshaft::OffsetListTraits> > > >::resize(unsigned long)': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiN2v84base18DoublyThreadedListINS4_8internal8compiler10turboshaft16SnapshotTableKeyINS9_7OpIndexENS9_7KeyDataEEENS9_16OffsetListTraitsEEEEENS0_13hash_internal4HashIiEESt8equal_toIiENS7_13ZoneAllocatorISt4pairIKiSF_EEEE6resizeEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiN2v84base18DoublyThreadedListINS4_8internal8compiler10turboshaft16SnapshotTableKeyINS9_7OpIndexENS9_7KeyDataEEENS9_16OffsetListTraitsEEEEENS0_13hash_internal4HashIiEESt8equal_toIiENS7_13ZoneAllocatorISt4pairIKiSF_EEEE6resizeEm]+0x44): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<int, v8::base::DoublyThreadedList<v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData>, v8::internal::compiler::turboshaft::OffsetListTraits> >, absl::lts_20230802::hash_internal::Hash<int>, std::equal_to<int>, v8::internal::ZoneAllocator<std::pair<int const, v8::base::DoublyThreadedList<v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData>, v8::internal::compiler::turboshaft::OffsetListTraits> > > >::prepare_insert(unsigned long)': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiN2v84base18DoublyThreadedListINS4_8internal8compiler10turboshaft16SnapshotTableKeyINS9_7OpIndexENS9_7KeyDataEEENS9_16OffsetListTraitsEEEEENS0_13hash_internal4HashIiEESt8equal_toIiENS7_13ZoneAllocatorISt4pairIKiSF_EEEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiN2v84base18DoublyThreadedListINS4_8internal8compiler10turboshaft16SnapshotTableKeyINS9_7OpIndexENS9_7KeyDataEEENS9_16OffsetListTraitsEEEEENS0_13hash_internal4HashIiEESt8equal_toIiENS7_13ZoneAllocatorISt4pairIKiSF_EEEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `v8::internal::compiler::turboshaft::MemoryContentTable::AddKeyInBaseOffsetMaps(v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::KeyData>)': late-load-elimination-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft18MemoryContentTable22AddKeyInBaseOffsetMapsENS2_16SnapshotTableKeyINS2_7OpIndexENS2_7KeyDataEEE[_ZN2v88internal8compiler10turboshaft18MemoryContentTable22AddKeyInBaseOffsetMapsENS2_16SnapshotTableKeyINS2_7OpIndexENS2_7KeyDataEEE]+0x18): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `v8::internal::compiler::turboshaft::MemoryContentTable::InsertImmutable(v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::OptionalOpIndex, int, unsigned char, unsigned char, v8::internal::compiler::turboshaft::OpIndex)': late-load-elimination-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft18MemoryContentTable15InsertImmutableENS2_7OpIndexENS2_15OptionalOpIndexEihhS4_[_ZN2v88internal8compiler10turboshaft18MemoryContentTable15InsertImmutableENS2_7OpIndexENS2_15OptionalOpIndexEihhS4_]+0x3c): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `v8::internal::compiler::turboshaft::MemoryContentTable::InvalidateMaybeAliasing()': late-load-elimination-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft18MemoryContentTable23InvalidateMaybeAliasingEv[_ZN2v88internal8compiler10turboshaft18MemoryContentTable23InvalidateMaybeAliasingEv]+0x74): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `v8::internal::compiler::turboshaft::MemoryContentTable::Insert(v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::OptionalOpIndex, int, unsigned char, unsigned char, v8::internal::compiler::turboshaft::OpIndex)': late-load-elimination-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft18MemoryContentTable6InsertENS2_7OpIndexENS2_15OptionalOpIndexEihhS4_[_ZN2v88internal8compiler10turboshaft18MemoryContentTable6InsertENS2_7OpIndexENS2_15OptionalOpIndexEihhS4_]+0x3a): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `v8::internal::compiler::turboshaft::MemoryContentTable::InvalidateAtOffset(int, v8::internal::compiler::turboshaft::OpIndex)': late-load-elimination-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft18MemoryContentTable18InvalidateAtOffsetEiNS2_7OpIndexE[_ZN2v88internal8compiler10turboshaft18MemoryContentTable18InvalidateAtOffsetEiNS2_7OpIndexE]+0x26): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o:late-load-elimination-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft18MemoryContentTable10InvalidateENS2_7OpIndexENS2_15OptionalOpIndexEi[_ZN2v88internal8compiler10turboshaft18MemoryContentTable10InvalidateENS2_7OpIndexENS2_15OptionalOpIndexEi]+0x56): more undefined references to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' follow /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> > > >::prepare_insert(unsigned long)': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyIbNS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SB_EEEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyIbNS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SB_EEEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `decltype (((declval<absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> > > >::EmplaceDecomposable>)())((declval<v8::internal::compiler::turboshaft::OpIndex&& const&>)(), std::piecewise_construct, (declval<std::tuple<v8::internal::compiler::turboshaft::OpIndex&&> >)(), (declval<std::tuple<v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData>&&> >)())) absl::lts_20230802::container_internal::memory_internal::DecomposePairImpl<absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> > > >::EmplaceDecomposable, v8::internal::compiler::turboshaft::OpIndex&&, std::tuple<v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData>&&> >(absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData> > > >::EmplaceDecomposable&&, std::pair<std::tuple<v8::internal::compiler::turboshaft::OpIndex&&>, std::tuple<v8::internal::compiler::turboshaft::SnapshotTableKey<bool, v8::internal::compiler::turboshaft::NoKeyData>&&> >) [clone .isra.0]': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal15memory_internal17DecomposePairImplINS1_12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS9_16SnapshotTableKeyIbNS9_9NoKeyDataEEEEENS0_13hash_internal4HashISA_EESt8equal_toISA_ENS7_13ZoneAllocatorISt4pairIKSA_SD_EEEE19EmplaceDecomposableEOSA_St5tupleIJOSD_EEEEDTclcl7declvalIT_EEcl7declvalIRKT0_EEL_ZSt19piecewise_constructEcl7declvalISS_IJSW_EEEEcl7declvalIT1_EEEEOSV_SL_ISZ_S10_E.isra.0+0x4): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `v8::internal::compiler::turboshaft::LateLoadEliminationAnalyzer::ProcessStore(v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::StoreOp const&)': late-load-elimination-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft27LateLoadEliminationAnalyzer12ProcessStoreENS2_7OpIndexERKNS2_7StoreOpE+0xe6): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `v8::internal::compiler::turboshaft::LateLoadEliminationAnalyzer::ProcessAllocate(v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::AllocateOp const&)': late-load-elimination-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft27LateLoadEliminationAnalyzer15ProcessAllocateENS2_7OpIndexERKNS2_10AllocateOpE+0x6): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::MapMaskAndOr, v8::internal::compiler::turboshaft::NoKeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::MapMaskAndOr, v8::internal::compiler::turboshaft::NoKeyData> > > >::resize(unsigned long)': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyINS7_12MapMaskAndOrENS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEE6resizeEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyINS7_12MapMaskAndOrENS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEE6resizeEm]+0x44): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::MapMaskAndOr, v8::internal::compiler::turboshaft::NoKeyData> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::MapMaskAndOr, v8::internal::compiler::turboshaft::NoKeyData> > > >::prepare_insert(unsigned long)': late-load-elimination-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyINS7_12MapMaskAndOrENS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS7_16SnapshotTableKeyINS7_12MapMaskAndOrENS7_9NoKeyDataEEEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SC_EEEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `v8::internal::compiler::turboshaft::LateLoadEliminationAnalyzer::ProcessAssumeMap(v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::AssumeMapOp const&)': late-load-elimination-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft27LateLoadEliminationAnalyzer16ProcessAssumeMapENS2_7OpIndexERKNS2_11AssumeMapOpE+0x3e): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-load-elimination-reducer.o: in function `v8::internal::compiler::turboshaft::LateLoadEliminationAnalyzer::ProcessBlock(v8::internal::compiler::turboshaft::Block const&, bool)': late-load-elimination-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft27LateLoadEliminationAnalyzer12ProcessBlockERKNS2_5BlockEb+0xe1): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/recreate-schedule.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<int, v8::internal::compiler::Node*>, absl::lts_20230802::hash_internal::Hash<int>, std::equal_to<int>, v8::internal::ZoneAllocator<std::pair<int const, v8::internal::compiler::Node*> > >::hash_slot_fn(void*, void*)': recreate-schedule.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiPN2v88internal8compiler4NodeEEENS0_13hash_internal4HashIiEESt8equal_toIiENS5_13ZoneAllocatorISt4pairIKiS8_EEEE12hash_slot_fnEPvSL_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiPN2v88internal8compiler4NodeEEENS0_13hash_internal4HashIiEESt8equal_toIiENS5_13ZoneAllocatorISt4pairIKiS8_EEEE12hash_slot_fnEPvSL_]+0x5): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/recreate-schedule.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<int, v8::internal::compiler::Node*>, absl::lts_20230802::hash_internal::Hash<int>, std::equal_to<int>, v8::internal::ZoneAllocator<std::pair<int const, v8::internal::compiler::Node*> > >::raw_hash_set(unsigned long, absl::lts_20230802::hash_internal::Hash<int> const&, std::equal_to<int> const&, v8::internal::ZoneAllocator<std::pair<int const, v8::internal::compiler::Node*> > const&)': recreate-schedule.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiPN2v88internal8compiler4NodeEEENS0_13hash_internal4HashIiEESt8equal_toIiENS5_13ZoneAllocatorISt4pairIKiS8_EEEEC2EmRKSC_RKSE_RKSJ_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiPN2v88internal8compiler4NodeEEENS0_13hash_internal4HashIiEESt8equal_toIiENS5_13ZoneAllocatorISt4pairIKiS8_EEEEC5EmRKSC_RKSE_RKSJ_]+0x3): undefined reference to `absl::lts_20230802::container_internal::kEmptyGroup' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/recreate-schedule.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<int, v8::internal::compiler::Node*>, absl::lts_20230802::hash_internal::Hash<int>, std::equal_to<int>, v8::internal::ZoneAllocator<std::pair<int const, v8::internal::compiler::Node*> > >::resize(unsigned long)': recreate-schedule.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiPN2v88internal8compiler4NodeEEENS0_13hash_internal4HashIiEESt8equal_toIiENS5_13ZoneAllocatorISt4pairIKiS8_EEEE6resizeEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiPN2v88internal8compiler4NodeEEENS0_13hash_internal4HashIiEESt8equal_toIiENS5_13ZoneAllocatorISt4pairIKiS8_EEEE6resizeEm]+0x44): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/recreate-schedule.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<int, v8::internal::compiler::Node*>, absl::lts_20230802::hash_internal::Hash<int>, std::equal_to<int>, v8::internal::ZoneAllocator<std::pair<int const, v8::internal::compiler::Node*> > >::prepare_insert(unsigned long)': recreate-schedule.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiPN2v88internal8compiler4NodeEEENS0_13hash_internal4HashIiEESt8equal_toIiENS5_13ZoneAllocatorISt4pairIKiS8_EEEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIiPN2v88internal8compiler4NodeEEENS0_13hash_internal4HashIiEESt8equal_toIiENS5_13ZoneAllocatorISt4pairIKiS8_EEEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/recreate-schedule.o: in function `v8::internal::compiler::turboshaft::(anonymous namespace)::ScheduleBuilder::ProcessOperation(v8::internal::compiler::turboshaft::ParameterOp const&)': recreate-schedule.cc:(.text._ZN2v88internal8compiler10turboshaft12_GLOBAL__N_115ScheduleBuilder16ProcessOperationERKNS2_11ParameterOpE+0x18): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/recreate-schedule.o: in function `v8::internal::compiler::turboshaft::(anonymous namespace)::ScheduleBuilder::ProcessOperation(v8::internal::compiler::turboshaft::OsrValueOp const&)': recreate-schedule.cc:(.text._ZN2v88internal8compiler10turboshaft12_GLOBAL__N_115ScheduleBuilder16ProcessOperationERKNS2_10OsrValueOpE+0x18): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-escape-analysis-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex> > > >::hash_slot_fn(void*, void*)': late-escape-analysis-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SA_EEEE12hash_slot_fnEPvSN_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SA_EEEE12hash_slot_fnEPvSN_]+0x5): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-escape-analysis-reducer.o: in function `v8::internal::compiler::turboshaft::LateEscapeAnalysisAnalyzer::AllocationIsEscaping(v8::internal::compiler::turboshaft::OpIndex)': late-escape-analysis-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft26LateEscapeAnalysisAnalyzer20AllocationIsEscapingENS2_7OpIndexE+0x6): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: late-escape-analysis-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft26LateEscapeAnalysisAnalyzer20AllocationIsEscapingENS2_7OpIndexE+0x185): undefined reference to `absl::lts_20230802::base_internal::ThrowStdOutOfRange(char const*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-escape-analysis-reducer.o: in function `v8::internal::compiler::turboshaft::LateEscapeAnalysisAnalyzer::MarkToRemove(v8::internal::compiler::turboshaft::OpIndex)': late-escape-analysis-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft26LateEscapeAnalysisAnalyzer12MarkToRemoveENS2_7OpIndexE+0x20): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: late-escape-analysis-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft26LateEscapeAnalysisAnalyzer12MarkToRemoveENS2_7OpIndexE+0x1ef): undefined reference to `absl::lts_20230802::base_internal::ThrowStdOutOfRange(char const*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-escape-analysis-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex> > > >::resize(unsigned long)': late-escape-analysis-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SA_EEEE6resizeEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SA_EEEE6resizeEm]+0x44): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-escape-analysis-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex> >, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex> > > >::prepare_insert(unsigned long)': late-escape-analysis-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SA_EEEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexENS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SA_EEEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/late-escape-analysis-reducer.o: in function `v8::internal::compiler::turboshaft::LateEscapeAnalysisAnalyzer::RecordAllocateUse(v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::OpIndex)': late-escape-analysis-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft26LateEscapeAnalysisAnalyzer17RecordAllocateUseENS2_7OpIndexES4_+0x4): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/memory-optimization-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashSetPolicy<v8::internal::compiler::turboshaft::OpIndex>, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<v8::internal::compiler::turboshaft::OpIndex> >::hash_slot_fn(void*, void*)': memory-optimization-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashSetPolicyIN2v88internal8compiler10turboshaft7OpIndexEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorIS8_EEE12hash_slot_fnEPvSI_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashSetPolicyIN2v88internal8compiler10turboshaft7OpIndexEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorIS8_EEE12hash_slot_fnEPvSI_]+0x5): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/memory-optimization-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::AllocateOp const*, v8::internal::compiler::turboshaft::AllocateOp const*>, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::AllocateOp const*, void>::Hash, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::AllocateOp const*, void>::Eq, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::AllocateOp const* const, v8::internal::compiler::turboshaft::AllocateOp const*> > >::hash_slot_fn(void*, void*)': memory-optimization-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPKN2v88internal8compiler10turboshaft10AllocateOpESA_EENS1_6HashEqISA_vE4HashENSD_2EqENS5_13ZoneAllocatorISt4pairIKSA_SA_EEEE12hash_slot_fnEPvSM_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPKN2v88internal8compiler10turboshaft10AllocateOpESA_EENS1_6HashEqISA_vE4HashENSD_2EqENS5_13ZoneAllocatorISt4pairIKSA_SA_EEEE12hash_slot_fnEPvSM_]+0x6): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/memory-optimization-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::AllocateOp const*, unsigned int>, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::AllocateOp const*, void>::Hash, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::AllocateOp const*, void>::Eq, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::AllocateOp const* const, unsigned int> > >::hash_slot_fn(void*, void*)': memory-optimization-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPKN2v88internal8compiler10turboshaft10AllocateOpEjEENS1_6HashEqISA_vE4HashENSD_2EqENS5_13ZoneAllocatorISt4pairIKSA_jEEEE12hash_slot_fnEPvSM_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPKN2v88internal8compiler10turboshaft10AllocateOpEjEENS1_6HashEqISA_vE4HashENSD_2EqENS5_13ZoneAllocatorISt4pairIKSA_jEEEE12hash_slot_fnEPvSM_]+0x6): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/memory-optimization-reducer.o: in function `v8::internal::compiler::turboshaft::MemoryAnalyzer::SkipWriteBarrier(v8::internal::compiler::turboshaft::StoreOp const&)': memory-optimization-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft14MemoryAnalyzer16SkipWriteBarrierERKNS2_7StoreOpE[_ZN2v88internal8compiler10turboshaft14MemoryAnalyzer16SkipWriteBarrierERKNS2_7StoreOpE]+0x5e): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/memory-optimization-reducer.o:memory-optimization-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPKN2v88internal8compiler10turboshaft10AllocateOpESA_EENS1_6HashEqISA_vE4HashENSD_2EqENS5_13ZoneAllocatorISt4pairIKSA_SA_EEEE6resizeEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPKN2v88internal8compiler10turboshaft10AllocateOpESA_EENS1_6HashEqISA_vE4HashENSD_2EqENS5_13ZoneAllocatorISt4pairIKSA_SA_EEEE6resizeEm]+0x40): more undefined references to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' follow /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/memory-optimization-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::AllocateOp const*, v8::internal::compiler::turboshaft::AllocateOp const*>, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::AllocateOp const*, void>::Hash, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::AllocateOp const*, void>::Eq, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::AllocateOp const* const, v8::internal::compiler::turboshaft::AllocateOp const*> > >::prepare_insert(unsigned long)': memory-optimization-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPKN2v88internal8compiler10turboshaft10AllocateOpESA_EENS1_6HashEqISA_vE4HashENSD_2EqENS5_13ZoneAllocatorISt4pairIKSA_SA_EEEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPKN2v88internal8compiler10turboshaft10AllocateOpESA_EENS1_6HashEqISA_vE4HashENSD_2EqENS5_13ZoneAllocatorISt4pairIKSA_SA_EEEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/memory-optimization-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::AllocateOp const*, unsigned int>, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::AllocateOp const*, void>::Hash, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::AllocateOp const*, void>::Eq, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::AllocateOp const* const, unsigned int> > >::resize(unsigned long)': memory-optimization-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPKN2v88internal8compiler10turboshaft10AllocateOpEjEENS1_6HashEqISA_vE4HashENSD_2EqENS5_13ZoneAllocatorISt4pairIKSA_jEEEE6resizeEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPKN2v88internal8compiler10turboshaft10AllocateOpEjEENS1_6HashEqISA_vE4HashENSD_2EqENS5_13ZoneAllocatorISt4pairIKSA_jEEEE6resizeEm]+0x40): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/memory-optimization-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::AllocateOp const*, unsigned int>, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::AllocateOp const*, void>::Hash, absl::lts_20230802::container_internal::HashEq<v8::internal::compiler::turboshaft::AllocateOp const*, void>::Eq, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::AllocateOp const* const, unsigned int> > >::prepare_insert(unsigned long)': memory-optimization-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPKN2v88internal8compiler10turboshaft10AllocateOpEjEENS1_6HashEqISA_vE4HashENSD_2EqENS5_13ZoneAllocatorISt4pairIKSA_jEEEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIPKN2v88internal8compiler10turboshaft10AllocateOpEjEENS1_6HashEqISA_vE4HashENSD_2EqENS5_13ZoneAllocatorISt4pairIKSA_jEEEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/memory-optimization-reducer.o: in function `v8::internal::compiler::turboshaft::MemoryAnalyzer::ProcessAllocation(v8::internal::compiler::turboshaft::AllocateOp const&)': memory-optimization-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft14MemoryAnalyzer17ProcessAllocationERKNS2_10AllocateOpE+0xd): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: memory-optimization-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft14MemoryAnalyzer17ProcessAllocationERKNS2_10AllocateOpE+0x121): undefined reference to `absl::lts_20230802::container_internal::EraseMetaOnly(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::ctrl_t*, unsigned long)' /usr/bin/ld: memory-optimization-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft14MemoryAnalyzer17ProcessAllocationERKNS2_10AllocateOpE+0x19a): undefined reference to `absl::lts_20230802::container_internal::EraseMetaOnly(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::ctrl_t*, unsigned long)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/memory-optimization-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashSetPolicy<v8::internal::compiler::turboshaft::OpIndex>, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<v8::internal::compiler::turboshaft::OpIndex> >::resize(unsigned long)': memory-optimization-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashSetPolicyIN2v88internal8compiler10turboshaft7OpIndexEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorIS8_EEE6resizeEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashSetPolicyIN2v88internal8compiler10turboshaft7OpIndexEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorIS8_EEE6resizeEm]+0x3e): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/memory-optimization-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashSetPolicy<v8::internal::compiler::turboshaft::OpIndex>, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<v8::internal::compiler::turboshaft::OpIndex> >::prepare_insert(unsigned long)': memory-optimization-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashSetPolicyIN2v88internal8compiler10turboshaft7OpIndexEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorIS8_EEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashSetPolicyIN2v88internal8compiler10turboshaft7OpIndexEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorIS8_EEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/memory-optimization-reducer.o: in function `v8::internal::compiler::turboshaft::MemoryAnalyzer::ProcessStore(v8::internal::compiler::turboshaft::StoreOp const&)': memory-optimization-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft14MemoryAnalyzer12ProcessStoreERKNS2_7StoreOpE+0x23): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: memory-optimization-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft14MemoryAnalyzer12ProcessStoreERKNS2_7StoreOpE+0x10c): undefined reference to `absl::lts_20230802::container_internal::EraseMetaOnly(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::ctrl_t*, unsigned long)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/optimize-phase.o: in function `v8::internal::compiler::turboshaft::MemoryOptimizationReducer<v8::internal::compiler::turboshaft::ReducerStack<v8::internal::compiler::turboshaft::Assembler<v8::internal::compiler::turboshaft::reducer_list<v8::internal::compiler::turboshaft::TurboshaftAssemblerOpInterface, v8::internal::compiler::turboshaft::GraphVisitor, v8::internal::compiler::turboshaft::StructuralOptimizationReducer, v8::internal::compiler::turboshaft::LateEscapeAnalysisReducer, v8::internal::compiler::turboshaft::PretenuringPropagationReducer, v8::internal::compiler::turboshaft::MemoryOptimizationReducer, v8::internal::compiler::turboshaft::MachineOptimizationReducer, v8::internal::compiler::turboshaft::ValueNumberingReducer, v8::internal::compiler::turboshaft::TSReducerBase> >, true, v8::internal::compiler::turboshaft::MachineOptimizationReducer, v8::internal::compiler::turboshaft::ValueNumberingReducer, v8::internal::compiler::turboshaft::TSReducerBase> >::ReduceInputGraphStore(v8::internal::compiler::turboshaft::OpIndex, v8::internal::compiler::turboshaft::StoreOp const&)': optimize-phase.cc:(.text._ZN2v88internal8compiler10turboshaft25MemoryOptimizationReducerINS2_12ReducerStackINS2_9AssemblerINS2_12reducer_listIJNS2_30TurboshaftAssemblerOpInterfaceENS2_12GraphVisitorENS2_29StructuralOptimizationReducerENS2_25LateEscapeAnalysisReducerENS2_29PretenuringPropagationReducerES3_NS2_26MachineOptimizationReducerENS2_21ValueNumberingReducerENS2_13TSReducerBaseEEEEEELb1EJSC_SD_SE_EEEE21ReduceInputGraphStoreENS2_7OpIndexERKNS2_7StoreOpE[_ZN2v88internal8compiler10turboshaft25MemoryOptimizationReducerINS2_12ReducerStackINS2_9AssemblerINS2_12reducer_listIJNS2_30TurboshaftAssemblerOpInterfaceENS2_12GraphVisitorENS2_29StructuralOptimizationReducerENS2_25LateEscapeAnalysisReducerENS2_29PretenuringPropagationReducerES3_NS2_26MachineOptimizationReducerENS2_21ValueNumberingReducerENS2_13TSReducerBaseEEEEEELb1EJSC_SD_SE_EEEE21ReduceInputGraphStoreENS2_7OpIndexERKNS2_7StoreOpE]+0x11): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/pretenuring-propagation-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex>*>, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex>*> > >::hash_slot_fn(void*, void*)': pretenuring-propagation-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexEPNS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SB_EEEE12hash_slot_fnEPvSO_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexEPNS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SB_EEEE12hash_slot_fnEPvSO_]+0x5): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/pretenuring-propagation-reducer.o: in function `v8::internal::compiler::turboshaft::PretenuringPropagationAnalyzer::PushContainedValues(v8::internal::compiler::turboshaft::OpIndex)': pretenuring-propagation-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft30PretenuringPropagationAnalyzer19PushContainedValuesENS2_7OpIndexE+0x5): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/pretenuring-propagation-reducer.o: in function `v8::internal::compiler::turboshaft::PretenuringPropagationAnalyzer::OldifySubgraph(v8::internal::compiler::turboshaft::OpIndex) [clone .part.0]': pretenuring-propagation-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft30PretenuringPropagationAnalyzer14OldifySubgraphENS2_7OpIndexE.part.0+0x21): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/pretenuring-propagation-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex>*>, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex>*> > >::resize(unsigned long)': pretenuring-propagation-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexEPNS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SB_EEEE6resizeEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexEPNS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SB_EEEE6resizeEm]+0x44): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/pretenuring-propagation-reducer.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<v8::internal::compiler::turboshaft::OpIndex, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex>*>, absl::lts_20230802::hash_internal::Hash<v8::internal::compiler::turboshaft::OpIndex>, std::equal_to<v8::internal::compiler::turboshaft::OpIndex>, v8::internal::ZoneAllocator<std::pair<v8::internal::compiler::turboshaft::OpIndex const, v8::internal::ZoneVector<v8::internal::compiler::turboshaft::OpIndex>*> > >::prepare_insert(unsigned long)': pretenuring-propagation-reducer.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexEPNS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SB_EEEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyIN2v88internal8compiler10turboshaft7OpIndexEPNS5_10ZoneVectorIS8_EEEENS0_13hash_internal4HashIS8_EESt8equal_toIS8_ENS5_13ZoneAllocatorISt4pairIKS8_SB_EEEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/pretenuring-propagation-reducer.o: in function `v8::internal::compiler::turboshaft::PretenuringPropagationAnalyzer::Create(v8::internal::compiler::turboshaft::OpIndex)': pretenuring-propagation-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft30PretenuringPropagationAnalyzer6CreateENS2_7OpIndexE[_ZN2v88internal8compiler10turboshaft30PretenuringPropagationAnalyzer6CreateENS2_7OpIndexE]+0x31): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/pretenuring-propagation-reducer.o: in function `v8::internal::compiler::turboshaft::PretenuringPropagationAnalyzer::ProcessStore(v8::internal::compiler::turboshaft::StoreOp const&)': pretenuring-propagation-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft30PretenuringPropagationAnalyzer12ProcessStoreERKNS2_7StoreOpE+0x5e): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: pretenuring-propagation-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft30PretenuringPropagationAnalyzer12ProcessStoreERKNS2_7StoreOpE+0x7b): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/pretenuring-propagation-reducer.o: in function `v8::internal::compiler::turboshaft::PretenuringPropagationAnalyzer::ProcessPhi(v8::internal::compiler::turboshaft::PhiOp const&)': pretenuring-propagation-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft30PretenuringPropagationAnalyzer10ProcessPhiERKNS2_5PhiOpE+0x4b): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: pretenuring-propagation-reducer.cc:(.text._ZN2v88internal8compiler10turboshaft30PretenuringPropagationAnalyzer10ProcessPhiERKNS2_5PhiOpE+0x217): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/store-store-elimination-phase.o:store-store-elimination-phase.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyISt4pairIN2v88internal8compiler10turboshaft7OpIndexEiENS8_16SnapshotTableKeyINS8_18StoreObservabilityENS8_27MaybeRedundantStoresKeyDataEEEEENS0_13hash_internal4HashISA_EESt8equal_toISA_ENS6_13ZoneAllocatorIS4_IKSA_SE_EEEE12hash_slot_fnEPvSQ_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyISt4pairIN2v88internal8compiler10turboshaft7OpIndexEiENS8_16SnapshotTableKeyINS8_18StoreObservabilityENS8_27MaybeRedundantStoresKeyDataEEEEENS0_13hash_internal4HashISA_EESt8equal_toISA_ENS6_13ZoneAllocatorIS4_IKSA_SE_EEEE12hash_slot_fnEPvSQ_]+0x5): more undefined references to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' follow /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/store-store-elimination-phase.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<std::pair<v8::internal::compiler::turboshaft::OpIndex, int>, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::StoreObservability, v8::internal::compiler::turboshaft::MaybeRedundantStoresKeyData> >, absl::lts_20230802::hash_internal::Hash<std::pair<v8::internal::compiler::turboshaft::OpIndex, int> >, std::equal_to<std::pair<v8::internal::compiler::turboshaft::OpIndex, int> >, v8::internal::ZoneAllocator<std::pair<std::pair<v8::internal::compiler::turboshaft::OpIndex, int> const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::StoreObservability, v8::internal::compiler::turboshaft::MaybeRedundantStoresKeyData> > > >::raw_hash_set(unsigned long, absl::lts_20230802::hash_internal::Hash<std::pair<v8::internal::compiler::turboshaft::OpIndex, int> > const&, std::equal_to<std::pair<v8::internal::compiler::turboshaft::OpIndex, int> > const&, v8::internal::ZoneAllocator<std::pair<std::pair<v8::internal::compiler::turboshaft::OpIndex, int> const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::StoreObservability, v8::internal::compiler::turboshaft::MaybeRedundantStoresKeyData> > > const&)': store-store-elimination-phase.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyISt4pairIN2v88internal8compiler10turboshaft7OpIndexEiENS8_16SnapshotTableKeyINS8_18StoreObservabilityENS8_27MaybeRedundantStoresKeyDataEEEEENS0_13hash_internal4HashISA_EESt8equal_toISA_ENS6_13ZoneAllocatorIS4_IKSA_SE_EEEEC2EmRKSI_RKSK_RKSO_[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyISt4pairIN2v88internal8compiler10turboshaft7OpIndexEiENS8_16SnapshotTableKeyINS8_18StoreObservabilityENS8_27MaybeRedundantStoresKeyDataEEEEENS0_13hash_internal4HashISA_EESt8equal_toISA_ENS6_13ZoneAllocatorIS4_IKSA_SE_EEEEC5EmRKSI_RKSK_RKSO_]+0x3): undefined reference to `absl::lts_20230802::container_internal::kEmptyGroup' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/store-store-elimination-phase.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<std::pair<v8::internal::compiler::turboshaft::OpIndex, int>, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::StoreObservability, v8::internal::compiler::turboshaft::MaybeRedundantStoresKeyData> >, absl::lts_20230802::hash_internal::Hash<std::pair<v8::internal::compiler::turboshaft::OpIndex, int> >, std::equal_to<std::pair<v8::internal::compiler::turboshaft::OpIndex, int> >, v8::internal::ZoneAllocator<std::pair<std::pair<v8::internal::compiler::turboshaft::OpIndex, int> const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::StoreObservability, v8::internal::compiler::turboshaft::MaybeRedundantStoresKeyData> > > >::resize(unsigned long)': store-store-elimination-phase.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyISt4pairIN2v88internal8compiler10turboshaft7OpIndexEiENS8_16SnapshotTableKeyINS8_18StoreObservabilityENS8_27MaybeRedundantStoresKeyDataEEEEENS0_13hash_internal4HashISA_EESt8equal_toISA_ENS6_13ZoneAllocatorIS4_IKSA_SE_EEEE6resizeEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyISt4pairIN2v88internal8compiler10turboshaft7OpIndexEiENS8_16SnapshotTableKeyINS8_18StoreObservabilityENS8_27MaybeRedundantStoresKeyDataEEEEENS0_13hash_internal4HashISA_EESt8equal_toISA_ENS6_13ZoneAllocatorIS4_IKSA_SE_EEEE6resizeEm]+0x44): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/store-store-elimination-phase.o: in function `absl::lts_20230802::container_internal::raw_hash_set<absl::lts_20230802::container_internal::FlatHashMapPolicy<std::pair<v8::internal::compiler::turboshaft::OpIndex, int>, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::StoreObservability, v8::internal::compiler::turboshaft::MaybeRedundantStoresKeyData> >, absl::lts_20230802::hash_internal::Hash<std::pair<v8::internal::compiler::turboshaft::OpIndex, int> >, std::equal_to<std::pair<v8::internal::compiler::turboshaft::OpIndex, int> >, v8::internal::ZoneAllocator<std::pair<std::pair<v8::internal::compiler::turboshaft::OpIndex, int> const, v8::internal::compiler::turboshaft::SnapshotTableKey<v8::internal::compiler::turboshaft::StoreObservability, v8::internal::compiler::turboshaft::MaybeRedundantStoresKeyData> > > >::prepare_insert(unsigned long)': store-store-elimination-phase.cc:(.text._ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyISt4pairIN2v88internal8compiler10turboshaft7OpIndexEiENS8_16SnapshotTableKeyINS8_18StoreObservabilityENS8_27MaybeRedundantStoresKeyDataEEEEENS0_13hash_internal4HashISA_EESt8equal_toISA_ENS6_13ZoneAllocatorIS4_IKSA_SE_EEEE14prepare_insertEm[_ZN4absl12lts_2023080218container_internal12raw_hash_setINS1_17FlatHashMapPolicyISt4pairIN2v88internal8compiler10turboshaft7OpIndexEiENS8_16SnapshotTableKeyINS8_18StoreObservabilityENS8_27MaybeRedundantStoresKeyDataEEEEENS0_13hash_internal4HashISA_EESt8equal_toISA_ENS6_13ZoneAllocatorIS4_IKSA_SE_EEEE14prepare_insertEm]+0x174): undefined reference to `absl::lts_20230802::container_internal::DropDeletesWithoutResize(absl::lts_20230802::container_internal::CommonFields&, absl::lts_20230802::container_internal::PolicyFunctions const&, void*)' /usr/bin/ld: /home/user/works/openwrt/build_dir/hostpkg/node-v22.11.0/out/Release/obj.target/v8_turboshaft/deps/v8/src/compiler/turboshaft/store-store-elimination-phase.o: in function `v8::internal::compiler::turboshaft::MaybeRedundantStoresTable::map_to_key(v8::internal::compiler::turboshaft::OpIndex, int, unsigned char)': store-store-elimination-phase.cc:(.text._ZN2v88internal8compiler10turboshaft25MaybeRedundantStoresTable10map_to_keyENS2_7OpIndexEih[_ZN2v88internal8compiler10turboshaft25MaybeRedundantStoresTable10map_to_keyENS2_7OpIndexEih]+0x22): undefined reference to `absl::lts_20230802::hash_internal::MixingHashState::kSeed' /usr/bin/ld: warning: creating DT_TEXTREL in a PIE collect2: error: ld returned 1 exit status ```
build
low
Critical
2,710,255,644
rust
Tracking Issue for `breakpoint` feature (`core::arch::breakpoint`)
Feature gate: `#![feature(breakpoint)]` This is a tracking issue for the `breakpoint` feature, which gates the `core::arch::breakpoint` function. This feature was approved in [ACP 491](https://github.com/rust-lang/libs-team/issues/491). ### Public API ```rust // core::arch /// Compiles to a target-specific software breakpoint instruction or equivalent. /// /// (Long description elided.) #[inline(always)] pub fn breakpoint() { unsafe { core::intrinsics::breakpoint(); } } ``` ### Steps / History - [x] ACP: https://github.com/rust-lang/libs-team/issues/491 - [x] Implementation: https://github.com/rust-lang/rust/pull/133726 - [ ] Final comment period (FCP)[^1] - [ ] Stabilization PR <!-- Once the feature has gone through a few release cycles and there are no unresolved questions left, the feature might be ready for stabilization. If this feature didn't go through the RFC process, a final comment period (FCP) is always needed before stabilization. This works as follows: A library API team member can kick off the stabilization process, at which point the rfcbot will ask all the team members to verify they agree with stabilization. Once enough members agree and there are no concerns, the final comment period begins: this issue will be marked as such and will be listed in the next This Week in Rust newsletter. If no blocking concerns are raised in that period of 10 days, a stabilization PR can be opened by anyone. --> ### Unresolved Questions <!-- Include any open questions that need to be answered before the feature can be stabilised. If multiple (unrelated) big questions come up, it can be a good idea to open a separate issue for each, to make it easier to keep track of the discussions. It's useful to link any relevant discussions and conclusions (whether on GitHub, Zulip, or the internals forum) here. --> - None yet. [^1]: https://std-dev-guide.rust-lang.org/feature-lifecycle/stabilization.html
T-libs-api,C-tracking-issue
low
Major
2,710,269,990
pytorch
Using torch.func with saved tensor hooks
### ๐Ÿš€ The feature, motivation and pitch Context I am developing a generative model that requires analyzing input-output sensitivity through Jacobian computations. In scenarios like flow-matching and denoising diffusion models, using torch.func.jacrev leads to high memory consumption because the computation graph involves hundreds of network evaluations. Problem To reduce memory usage, gradient checkpointing via torch.utils.checkpoint is an ideal solution since individual update steps are independent. However, torch.func.jacrev currently does not support saved tensor hooks, which are essential for implementing gradient checkpointing. Attempting to use this combination results in the following error: ``` RuntimeError: torch.func.{grad, vjp, jacrev, hessian} don't yet support saved tensor hooks. Please open an issue with your use case. ``` Proposed Solution Enhance torch.func.jacrev and related functions (grad, vjp, hessian) to support saved tensor hooks. This addition would enable the use of gradient checkpointing techniques to manage memory more efficiently during Jacobian computations. Benefits Memory Efficiency: Significantly reduces memory requirements for models that involve extensive Jacobian calculations. Broader Applicability: Allows researchers to work with more complex models that were previously constrained by memory limitations. Resource Optimization: Improves computational resource utilization, making it feasible to run larger experiments on existing hardware. ### Alternatives Using a for loop over the individual ### Additional context _No response_ cc @ezyang @albanD @gqchen @pearu @nikitaved @soulitzer @Varal7 @xmfan @zou3519 @Chillee @samdow @kshitij12345
module: autograd,triaged,module: functorch
low
Critical
2,710,272,414
pytorch
Floating point exception (core dumped) in `slow_conv3d`
### ๐Ÿ› Describe the bug Under specific inputs, `slow_conv3d` triggered a crash. ```python import torch self = torch.full((0, 7, 9, 1, 5,), 0, dtype=torch.float32, requires_grad=False) weight = torch.full((9, 1,), 4.14214e+16, dtype=torch.float32, requires_grad=False) kernel_size = [36028797018963968, 36028797018963968, 36028797018963968] stride = [5, 5, 5] bias = None padding = [1676240524292489472, 1676240524292489472, 1676240524292489472] torch.ops.aten.slow_conv3d(self, weight, kernel_size, bias=bias, stride=stride, padding=padding) ``` output: ``` Floating point exception (core dumped) ``` ### Versions PyTorch version: 2.5.0a0+git32f585d Is debug build: False CUDA used to build PyTorch: None ROCM used to build PyTorch: N/A OS: Ubuntu 22.04.4 LTS (x86_64) GCC version: (Ubuntu 11.4.0-1ubuntu1~22.04) 11.4.0 Clang version: Could not collect CMake version: version 3.22.1 Libc version: glibc-2.35 Python version: 3.13.0 | packaged by Anaconda, Inc. | (main, Oct 7 2024, 21:29:38) [GCC 11.2.0] (64-bit runtime) Python platform: Linux-5.15.0-124-generic-x86_64-with-glibc2.35 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 Address sizes: 46 bits physical, 48 bits virtual Byte Order: Little Endian CPU(s): 80 On-line CPU(s) list: 0-79 Vendor ID: GenuineIntel Model name: Intel(R) Xeon(R) Gold 5218R CPU @ 2.10GHz CPU family: 6 Model: 85 Thread(s) per core: 2 Core(s) per socket: 20 Socket(s): 2 Stepping: 7 CPU max MHz: 4000.0000 CPU min MHz: 800.0000 BogoMIPS: 4200.00 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 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 cpuid_fault epb cat_l3 cdp_l3 invpcid_single intel_ppin 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 mpx rdt_a avx512f avx512dq rdseed adx smap clflushopt clwb intel_pt avx512cd avx512bw avx512vl xsaveopt xsavec xgetbv1 xsaves cqm_llc cqm_occup_llc cqm_mbm_total cqm_mbm_local dtherm ida arat pln pts pku ospke avx512_vnni md_clear flush_l1d arch_capabilities Virtualization: VT-x L1d cache: 1.3 MiB (40 instances) L1i cache: 1.3 MiB (40 instances) L2 cache: 40 MiB (40 instances) L3 cache: 55 MiB (2 instances) NUMA node(s): 2 NUMA node0 CPU(s): 0,2,4,6,8,10,12,14,16,18,20,22,24,26,28,30,32,34,36,38,40,42,44,46,48,50,52,54,56,58,60,62,64,66,68,70,72,74,76,78 NUMA node1 CPU(s): 1,3,5,7,9,11,13,15,17,19,21,23,25,27,29,31,33,35,37,39,41,43,45,47,49,51,53,55,57,59,61,63,65,67,69,71,73,75,77,79 Vulnerability Gather data sampling: Mitigation; Microcode Vulnerability Itlb multihit: KVM: Mitigation: VMX disabled Vulnerability L1tf: Not affected Vulnerability Mds: Not affected Vulnerability Meltdown: Not affected Vulnerability Mmio stale data: Mitigation; Clear CPU buffers; SMT vulnerable Vulnerability Reg file data sampling: Not affected Vulnerability Retbleed: Mitigation; Enhanced IBRS Vulnerability Spec rstack overflow: 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 SW loop, KVM SW loop Vulnerability Srbds: Not affected Vulnerability Tsx async abort: Mitigation; TSX disabled Versions of relevant libraries: [pip3] numpy==2.1.3 [pip3] torch==2.5.0a0+git32f585d [conda] numpy 2.1.3 pypi_0 pypi [conda] torch 2.5.0a0+git32f585d pypi_0 pypi
module: crash,triaged,module: edge cases,topic: fuzzer
low
Critical
2,710,276,895
pytorch
Floating point exception (core dumped) in `slow_conv3d_forward`
### ๐Ÿ› Describe the bug Under specific inputs, `slow_conv3d_forward` triggered a crash. ```python import torch self = torch.full((0, 7, 9, 1, 5,), 0, dtype=torch.float32, requires_grad=False) weight = torch.full((9, 1,), 4.14214e+16, dtype=torch.float32, requires_grad=False) kernel_size = [36028797018963968, 36028797018963968, 36028797018963968] stride = [5, 5, 5] bias = None padding = [1676240524292489472, 1676240524292489472, 1676240524292489472] torch.ops.aten.slow_conv3d_forward(self, weight, kernel_size, bias=bias, stride=stride, padding=padding) ``` Output ``` Floating point exception (core dumped) ``` ### Versions PyTorch version: 2.5.0a0+git32f585d Is debug build: False CUDA used to build PyTorch: None ROCM used to build PyTorch: N/A OS: Ubuntu 22.04.4 LTS (x86_64) GCC version: (Ubuntu 11.4.0-1ubuntu1~22.04) 11.4.0 Clang version: Could not collect CMake version: version 3.22.1 Libc version: glibc-2.35 Python version: 3.13.0 | packaged by Anaconda, Inc. | (main, Oct 7 2024, 21:29:38) [GCC 11.2.0] (64-bit runtime) Python platform: Linux-5.15.0-124-generic-x86_64-with-glibc2.35 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 Address sizes: 46 bits physical, 48 bits virtual Byte Order: Little Endian CPU(s): 80 On-line CPU(s) list: 0-79 Vendor ID: GenuineIntel Model name: Intel(R) Xeon(R) Gold 5218R CPU @ 2.10GHz CPU family: 6 Model: 85 Thread(s) per core: 2 Core(s) per socket: 20 Socket(s): 2 Stepping: 7 CPU max MHz: 4000.0000 CPU min MHz: 800.0000 BogoMIPS: 4200.00 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 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 cpuid_fault epb cat_l3 cdp_l3 invpcid_single intel_ppin 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 mpx rdt_a avx512f avx512dq rdseed adx smap clflushopt clwb intel_pt avx512cd avx512bw avx512vl xsaveopt xsavec xgetbv1 xsaves cqm_llc cqm_occup_llc cqm_mbm_total cqm_mbm_local dtherm ida arat pln pts pku ospke avx512_vnni md_clear flush_l1d arch_capabilities Virtualization: VT-x L1d cache: 1.3 MiB (40 instances) L1i cache: 1.3 MiB (40 instances) L2 cache: 40 MiB (40 instances) L3 cache: 55 MiB (2 instances) NUMA node(s): 2 NUMA node0 CPU(s): 0,2,4,6,8,10,12,14,16,18,20,22,24,26,28,30,32,34,36,38,40,42,44,46,48,50,52,54,56,58,60,62,64,66,68,70,72,74,76,78 NUMA node1 CPU(s): 1,3,5,7,9,11,13,15,17,19,21,23,25,27,29,31,33,35,37,39,41,43,45,47,49,51,53,55,57,59,61,63,65,67,69,71,73,75,77,79 Vulnerability Gather data sampling: Mitigation; Microcode Vulnerability Itlb multihit: KVM: Mitigation: VMX disabled Vulnerability L1tf: Not affected Vulnerability Mds: Not affected Vulnerability Meltdown: Not affected Vulnerability Mmio stale data: Mitigation; Clear CPU buffers; SMT vulnerable Vulnerability Reg file data sampling: Not affected Vulnerability Retbleed: Mitigation; Enhanced IBRS Vulnerability Spec rstack overflow: 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 SW loop, KVM SW loop Vulnerability Srbds: Not affected Vulnerability Tsx async abort: Mitigation; TSX disabled Versions of relevant libraries: [pip3] numpy==2.1.3 [pip3] torch==2.5.0a0+git32f585d [conda] numpy 2.1.3 pypi_0 pypi [conda] torch 2.5.0a0+git32f585d pypi_0 pypi
module: crash,triaged,module: edge cases,topic: fuzzer
low
Critical
2,710,379,514
angular
Skip Initial Entry Animation when Hydration Enabled
### Which @angular/* package(s) are relevant/related to the feature request? animations ### Description When hydration is enabled, the initial entry animation will not be played until hydration is complete, resulting in a very wierd visual effect, where the elements appear at their final position before they are animated. ### Proposed solution Provide an option to skip the initial entry animations when hydration is enabled. A possible syntax might be: ```ts provideClientHydration(withInitialAnimationSkipped()) ``` ### Alternatives considered Alternatively, document this behavior as expected at angular.dev and provide viablae solutions. See below for an example workaround: ```ts @Component({ host: { '[@.disabled]': '!stable()' }, }) export class AppComponent { #router = inject(Router); stable = toSignal( this.#router.events.pipe( pickType(NavigationEnd), first(), switchMap(() => new Promise((r) => setTimeout(r))), map(() => true), startWith(false), ), { requireSync: true }, ); } ```
area: animations,needs reproduction,area: core,core: hydration
low
Major
2,710,401,505
ollama
fatal error: index out of range
### What is the issue? I'm running a dspy script that uses model `llama3-instruct:latest`. Script starts properly but after some ~20 minutes I get an exception like this: ``` ... [GIN] 2024/12/02 - 01:05:51 | 404 | 476.079ยตs | 127.0.0.1 | POST "/api/show" fatal error: index out of range runtime stack: runtime.throw({0x12ed114?, 0x4026e8c0?}) runtime/panic.go:1023 +0x5c fp=0x7f3e47ffea30 sp=0x7f3e47ffea00 pc=0x46f13c runtime.panicCheck1(0xc000742c80?, {0x12ed114, 0x12}) runtime/panic.go:58 +0x94 fp=0x7f3e47ffea50 sp=0x7f3e47ffea30 pc=0x46d094 runtime.goPanicIndex(0x832334, 0x60c7) runtime/panic.go:113 +0x2e fp=0x7f3e47ffea90 sp=0x7f3e47ffea50 pc=0x46d14e runtime.findfunc(0x7f3e47ffeb60?) runtime/symtab.go:791 +0x119 fp=0x7f3e47ffeab0 sp=0x7f3e47ffea90 pc=0x48ebb9 runtime.(*unwinder).next(0x7f3e47ffeb60) runtime/traceback.go:449 +0x4c fp=0x7f3e47ffeb28 sp=0x7f3e47ffeab0 pc=0x495d8c runtime.copystack(0xc000547880, 0x800000002?) runtime/stack.go:930 +0x2f4 fp=0x7f3e47ffec20 sp=0x7f3e47ffeb28 pc=0x48a174 runtime.newstack() runtime/stack.go:1112 +0x489 fp=0x7f3e47ffedd0 sp=0x7f3e47ffec20 pc=0x48a749 runtime.morestack() runtime/asm_amd64.s:616 +0x7a fp=0x7f3e47ffedd8 sp=0x7f3e47ffedd0 pc=0x4a30ba goroutine 10797 gp=0xc000547880 m=8 mp=0xc000100808 [copystack]: github.com/ollama/ollama/server.(*Server).GenerateHandler(0xc00071ea20, 0xc00061c100) github.com/ollama/ollama/server/routes.go:111 +0x22aa fp=0xc0004ed660 sp=0xc0004ed658 pc=0xf5500a github.com/ollama/ollama/server.(*Server).GenerateHandler-fm(0x0?) <autogenerated>:1 +0x26 fp=0xc0004ed680 sp=0xc0004ed660 pc=0xf745a6 github.com/gin-gonic/gin.(*Context).Next(0xc00061c100) github.com/gin-gonic/[email protected]/context.go:185 +0x2b fp=0xc0004ed6a0 sp=0xc0004ed680 pc=0xf1736b github.com/ollama/ollama/server.(*Server).GenerateRoutes.allowedHostsMiddleware.func3(0xc00061c100) github.com/ollama/ollama/server/routes.go:1087 +0x170 fp=0xc0004ed6f8 sp=0xc0004ed6a0 pc=0xf601b0 github.com/gin-gonic/gin.(*Context).Next(...) github.com/gin-gonic/[email protected]/context.go:185 github.com/gin-gonic/gin.CustomRecoveryWithWriter.func1(0xc00061c100) github.com/gin-gonic/[email protected]/recovery.go:102 +0x7a fp=0xc0004ed748 sp=0xc0004ed6f8 pc=0xf2533a github.com/gin-gonic/gin.(*Context).Next(...) github.com/gin-gonic/[email protected]/context.go:185 github.com/gin-gonic/gin.LoggerWithConfig.func1(0xc00061c100) github.com/gin-gonic/[email protected]/logger.go:249 +0xe5 fp=0xc0004ed900 sp=0xc0004ed748 pc=0xf24465 github.com/gin-gonic/gin.(*Context).Next(...) github.com/gin-gonic/[email protected]/context.go:185 github.com/gin-gonic/gin.(*Engine).handleHTTPRequest(0xc000742b60, 0xc00061c100) github.com/gin-gonic/[email protected]/gin.go:633 +0x892 fp=0xc0004edad8 sp=0xc0004ed900 pc=0xf23852 github.com/gin-gonic/gin.(*Engine).ServeHTTP(0xc000742b60, {0x3fb0b428, 0xc0001920e0}, 0xc00059e000) github.com/gin-gonic/[email protected]/gin.go:589 +0x1b2 fp=0xc0004edb10 sp=0xc0004edad8 pc=0xf22df2 net/http.(*ServeMux).ServeHTTP(0x445305?, {0x3fb0b428, 0xc0001920e0}, 0xc00059e000) net/http/server.go:2688 +0x1ad fp=0xc0004edb60 sp=0xc0004edb10 pc=0x78f74d net/http.serverHandler.ServeHTTP({0x3fb08890?}, {0x3fb0b428?, 0xc0001920e0?}, 0x6?) net/http/server.go:3142 +0x8e fp=0xc0004edb90 sp=0xc0004edb60 pc=0x790f4e fatal error: index out of range panic during panic runtime stack: runtime.throw({0x12ed114?, 0x7f3e47ffe2c0?}) runtime/panic.go:1023 +0x5c fp=0x7f3e47ffe280 sp=0x7f3e47ffe250 pc=0x46f13c runtime.panicCheck1(0x2?, {0x12ed114, 0x12}) runtime/panic.go:58 +0x94 fp=0x7f3e47ffe2a0 sp=0x7f3e47ffe280 pc=0x46d094 runtime.goPanicIndex(0x832334, 0x60c7) runtime/panic.go:113 +0x2e fp=0x7f3e47ffe2e0 sp=0x7f3e47ffe2a0 pc=0x46d14e runtime.findfunc(0x471674?) runtime/symtab.go:791 +0x119 fp=0x7f3e47ffe300 sp=0x7f3e47ffe2e0 pc=0x48ebb9 runtime.(*unwinder).next(0x7f3e47ffe6c8) runtime/traceback.go:449 +0x4c fp=0x7f3e47ffe378 sp=0x7f3e47ffe300 pc=0x495d8c runtime.traceback2(0x7f3e47ffe6c8, 0x0, 0x0, 0x25) runtime/traceback.go:981 +0x125 fp=0x7f3e47ffe5d8 sp=0x7f3e47ffe378 pc=0x497745 runtime.traceback1.func1(0x0) runtime/traceback.go:917 +0x66 fp=0x7f3e47ffe6a0 sp=0x7f3e47ffe5d8 pc=0x4974e6 runtime.traceback1(0xc000547880?, 0x7f3e47ffe900?, 0x471674?, 0xc000547880, 0x80?) runtime/traceback.go:940 +0x20f fp=0x7f3e47ffe8a8 sp=0x7f3e47ffe6a0 pc=0x49734f runtime.traceback(...) runtime/traceback.go:817 runtime.tracebackothers(0xc000102a80) runtime/traceback.go:1235 +0x92 fp=0x7f3e47ffe910 sp=0x7f3e47ffe8a8 pc=0x498c72 runtime.dopanic_m(0xc000102a80, 0x46f13c, 0x7f3e47ffea00) runtime/panic.go:1345 +0x29e fp=0x7f3e47ffe980 sp=0x7f3e47ffe910 pc=0x46fbfe runtime.fatalthrow.func1() runtime/panic.go:1199 +0x6b fp=0x7f3e47ffe9c0 sp=0x7f3e47ffe980 pc=0x46f62b runtime.fatalthrow(0x47ffea08?) runtime/panic.go:1192 +0x65 fp=0x7f3e47ffea00 sp=0x7f3e47ffe9c0 pc=0x46f585 runtime.throw({0x12ed114?, 0x4026e8c0?}) runtime/panic.go:1023 +0x5c fp=0x7f3e47ffea30 sp=0x7f3e47ffea00 pc=0x46f13c runtime.panicCheck1(0xc000742c80?, {0x12ed114, 0x12}) runtime/panic.go:58 +0x94 fp=0x7f3e47ffea50 sp=0x7f3e47ffea30 pc=0x46d094 runtime.goPanicIndex(0x832334, 0x60c7) runtime/panic.go:113 +0x2e fp=0x7f3e47ffea90 sp=0x7f3e47ffea50 pc=0x46d14e runtime.findfunc(0x7f3e47ffeb60?) runtime/symtab.go:791 +0x119 fp=0x7f3e47ffeab0 sp=0x7f3e47ffea90 pc=0x48ebb9 runtime.(*unwinder).next(0x7f3e47ffeb60) runtime/traceback.go:449 +0x4c fp=0x7f3e47ffeb28 sp=0x7f3e47ffeab0 pc=0x495d8c runtime.copystack(0xc000547880, 0x800000002?) runtime/stack.go:930 +0x2f4 fp=0x7f3e47ffec20 sp=0x7f3e47ffeb28 pc=0x48a174 runtime.newstack() runtime/stack.go:1112 +0x489 fp=0x7f3e47ffedd0 sp=0x7f3e47ffec20 pc=0x48a749 runtime.morestack() runtime/asm_amd64.s:616 +0x7a fp=0x7f3e47ffedd8 sp=0x7f3e47ffedd0 pc=0x4a30ba ``` ### OS Linux ### GPU Nvidia ### CPU Intel ### Ollama version 0.3.12
bug
low
Critical
2,710,645,750
angular
`::ng-deep` becomes `:is()` with CSS files
### Which @angular/* package(s) are the source of the bug? compiler ### Is this a regression? Yes ### Description In CSS file (not SCSS), when using `::ng-deep` the result is broken. ```css pre { white-space: pre-wrap; ::ng-deep { h3 { margin: 0px; border-bottom: 1px solid; padding: 0 6px 6px; } .license { margin-right: 5px; font-size: 20px; text-align: right; } } } ``` ### Please provide a link to a minimal reproduction of the bug _No response_ ### Please provide the exception or error you saw ```true **In build** โ–ฒ [WARNING] 1 rules skipped due to selector errors: :is() -> Empty sub-selector **In browser** pre[_ngcontent-ng-c2840326293] { white-space:pre-wrap } :is() h3[_ngcontent-ng-c2840326293] { margin:0; border-bottom:1px solid; padding:0 6px 6px } :is() .license[_ngcontent-ng-c2840326293] { margin-right:5px; font-size:20px; text-align:right } ``` ### Please provide the environment you discovered this bug in (run `ng version`) ```true Angular CLI: 19.0.2 Node: 20.11.1 Package Manager: npm 10.2.4 OS: linux x64 Angular: 19.0.1 ... animations, cdk, common, compiler, compiler-cli, core, forms ... platform-browser, platform-browser-dynamic, router Package Version --------------------------------------------------------- @angular-devkit/architect 0.1900.2 @angular-devkit/build-angular 19.0.2 @angular-devkit/core 19.0.2 (cli-only) @angular-devkit/schematics 19.0.2 @angular/cli 19.0.2 @schematics/angular 19.0.2 rxjs 7.8.1 typescript 5.6.3 zone.js 0.15.0 ``` ### Anything else? _No response_
area: core,core: stylesheets,core: CSS encapsulation
low
Critical
2,710,664,071
ant-design
The arrow position of the datePicker is incorrect
### Reproduction link [https://ant.design/components/date-picker-cn](https://ant.design/components/date-picker-cn) ### Steps to reproduce Narrowing the width of your browser and clicking on the datepicker box will reveal the wrong arrow position ### What is expected? Arrow position correct ### What is actually happening? Arrow offset ![image](https://github.com/user-attachments/assets/5ebbfbd9-fd43-4474-a34b-31c7c9163898) | Environment | Info | | --- | --- | | antd | 5.22.1 | | React | 17 | | System | windows 11 | | Browser | edge 131.0.2903.70 | <!-- generated by ant-design-issue-helper. DO NOT REMOVE -->
Inactive,improvement
low
Minor
2,710,783,260
rust
compiletest: normalization replacement strings don't support newlines
> It will affect every `normalize-` header, but since none of those currently have a `\n` in them, no other tests will be affected (other than the one I'm adding). > > There is currently no way to a new-line in the replacement string, I tried a bunch of things and just gave up and added this mini logic. _Originally posted by @Urgau in https://github.com/rust-lang/rust/pull/133710#discussion_r1865295125_
E-hard,C-enhancement,T-bootstrap,A-compiletest
low
Minor
2,710,808,183
tensorflow
XLA recompilation every time when shape changed on GPU
### Issue type Support ### Have you reproduced the bug with TensorFlow Nightly? No ### Source binary ### TensorFlow version tf2.18 ### Custom code Yes ### OS platform and distribution _No response_ ### Mobile device _No response_ ### Python version _No response_ ### Bazel version _No response_ ### GCC/compiler version _No response_ ### CUDA/cuDNN version _No response_ ### GPU model and memory _No response_ ### Current behavior? I have seen a lot of dynamic dim configurations in the OpenXLA repo. I am using TF GPU-XLA. How should I configure it so that recompilation is not triggered during GPU dynamic dim? ### Standalone code to reproduce the issue ```shell @tf.function(input_signature=[tf.TensorSpec(shape=[2, None], dtype=tf.float32), tf.TensorSpec(shape=[None, 2], dtype=tf.float32), tf.TensorSpec(shape=[], dtype=tf.float32),], jit_compile=True) def foo(x, y, z): exp = tf.add(x, z) abs = tf.sin(exp) add = tf.add(abs, tf.transpose(y, )) mm = tf.matmul(add, y) return mm x = tf.ones([2, 3]).gpu() y = tf.ones([3, 2]).gpu() z = tf.ones([]).gpu() out = foo(x, y, z) # Compile x = tf.ones([2, 4]).gpu() y = tf.ones([4, 2]).gpu() z = tf.ones([]).gpu() out = foo(x, y, z) # Compile x = tf.ones([2, 5]).gpu() y = tf.ones([5, 2]).gpu() z = tf.ones([]).gpu() out = foo(x, y, z) # Compile ``` ### Relevant log output _No response_
stat:awaiting tensorflower,type:support,comp:xla,TF 2.18
medium
Critical
2,710,826,241
pytorch
dose "model.so" sharing model's weight with AOT inductor benchmark solutions
### ๐Ÿ› Describe the bug When I run benchmark based on https://pytorch.org/docs/main/torch.compiler_aot_inductor.html, the performance are impacted by the number of process I launched which is not expected ### My model ``` class TwoLayerNet(nn.Module): def __init__(self, input_size, hidden_size, output_size): super(TwoLayerNet, self).__init__() self.fc1 = nn.Linear(input_size, hidden_size) self.fc2 = nn.Linear(hidden_size, output_size) def forward(self, x): x = torch.relu(self.fc1(x)) x = self.fc2(x) return x ``` ### Repro https://github.com/zhuhaozhe/Misc/tree/main/aoti-bench-repro ``` bash bench.sh ``` I tested on a system with 6 numa nodes, each numa nodes have 40 cores. When I only launch 1 process on 1 numanodes: ``` Output: Throughput: 2.50268e+06 taskset -c 0-39 ./aoti-dir-0/aoti_example ``` When I only launch 6 process on 6 numanodes: ``` Throughput: 2.3512e+06 Throughput: 2.29224e+06 Throughput: 1.99369e+06 Throughput: 1.95372e+06 Throughput: 1.40744e+06 Throughput: 1.36502e+06 taskset -c 0-39 ./aoti-dir-0/aoti_example & taskset -c 40-79 ./aoti-dir-1/aoti_example & taskset -c 80-119 ./aoti-dir-2/aoti_example & taskset -c 120-159 ./aoti-dir-3/aoti_example & taskset -c 160-199 ./aoti-dir-4/aoti_example & taskset -c 200-239 ./aoti-dir-5/aoti_example ``` The fastest process is nearly 1.73x of the slowest process. I wander whether it is caused by these process is loading same `model.so` so they impact each others and is there some approach to avoid it? - Except to copied model.so, I tried but have not observed differences. Not sure whether the OS still can optimize it since they are exactly same Dynamic-Link Library ``` # bench.sh export LD_PRELOAD=/localdisk1/haozhe/miniforge3/envs/dlrm/lib/libtcmalloc.so:/localdisk1/haozhe/miniforge3/envs/dlrm/lib/libiomp5.so python compile_bench.py 6 40 2>&1 | tee 6_40.log python compile_bench.py 5 40 2>&1 | tee 5_40.log python compile_bench.py 4 40 2>&1 | tee 4_40.log python compile_bench.py 3 40 2>&1 | tee 3_40.log python compile_bench.py 2 40 2>&1 | tee 2_40.log python compile_bench.py 1 40 2>&1 | tee 1_40.log ``` ### Versions ``` python3 collect_env.py % Total % Received % Xferd Average Speed Time Time Time Current Dload Upload Total Spent Left Speed 100 24366 100 24366 0 0 10204 0 0:00:02 0:00:02 --:--:-- 10207 Collecting environment information... PyTorch version: 2.6.0a0+gitf16e080 Is debug build: False CUDA used to build PyTorch: None 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: version 3.30.5 Libc version: glibc-2.35 Python version: 3.9.20 | packaged by conda-forge | (main, Sep 30 2024, 17:49:10) [GCC 13.3.0] (64-bit runtime) Python platform: Linux-5.15.0-125-generic-x86_64-with-glibc2.35 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 Address sizes: 52 bits physical, 57 bits virtual Byte Order: Little Endian CPU(s): 372 On-line CPU(s) list: 0-371 Vendor ID: GenuineIntel Model name: Intel(R) Xeon(R) 6984P-C CPU family: 6 Model: 173 Thread(s) per core: 2 Core(s) per socket: 93 Socket(s): 2 Stepping: 1 CPU max MHz: 3900.0000 CPU min MHz: 800.0000 BogoMIPS: 4400.00 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 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 cat_l2 cdp_l3 invpcid_single cdp_l2 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 split_lock_detect avx_vnni avx512_bf16 wbnoinvd dtherm ida arat pln pts hwp hwp_act_window hwp_epp hwp_pkg_req avx512vbmi umip pku ospke waitpkg avx512_vbmi2 gfni vaes vpclmulqdq avx512_vnni avx512_bitalg tme avx512_vpopcntdq la57 rdpid bus_lock_detect cldemote movdiri movdir64b enqcmd fsrm md_clear serialize tsxldtrk pconfig arch_lbr amx_bf16 avx512_fp16 amx_tile amx_int8 flush_l1d arch_capabilities Virtualization: VT-x L1d cache: 8.7 MiB (186 instances) L1i cache: 11.6 MiB (186 instances) L2 cache: 372 MiB (186 instances) L3 cache: 1008 MiB (2 instances) NUMA node(s): 6 NUMA node0 CPU(s): 0-30,186-216 NUMA node1 CPU(s): 31-61,217-247 NUMA node2 CPU(s): 62-92,248-278 NUMA node3 CPU(s): 93-123,279-309 NUMA node4 CPU(s): 124-154,310-340 NUMA node5 CPU(s): 155-185,341-371 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: 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 Not affected; BHI BHI_DIS_S Vulnerability Srbds: Not affected Vulnerability Tsx async abort: Not affected Versions of relevant libraries: [pip3] intel_extension_for_pytorch==2.6.0+git1e2711c [pip3] mypy-extensions==1.0.0 [pip3] numpy==2.0.2 [pip3] optree==0.13.1 [pip3] torch==2.6.0a0+gitf16e080 [pip3] torchmetrics==0.11.0 [pip3] torchrec==0.3.2 [pip3] torchsnapshot==0.1.0 [conda] intel-extension-for-pytorch 2.6.0+git1e2711c dev_0 <develop> [conda] mkl-include 2025.0.0 pypi_0 pypi [conda] mkl-static 2025.0.0 pypi_0 pypi [conda] numpy 2.0.2 pypi_0 pypi [conda] optree 0.13.1 pypi_0 pypi [conda] torch 2.6.0a0+gitf16e080 dev_0 <develop> [conda] torchmetrics 0.11.0 pypi_0 pypi [conda] torchrec 0.3.2 pypi_0 pypi [conda] torchsnapshot 0.1.0 pypi_0 pypi ``` cc @chauhang @penguinwu @avikchaudhuri @gmagogsfm @zhxchen17 @tugsbayasgalan @angelayi @suo @ydwu4 @desertfire @chenyang78
triaged,oncall: pt2,module: aotinductor
low
Critical
2,710,899,065
godot
Resize window bug in viewport mode with compatibility renderer
### Tested versions Reproducible in Godot v4.3.stable (77dcf97d8) No problems at Godot v3.5.stable ### System information Godot v4.3.stable (77dcf97d8) - Windows 11 - GLES3 (Compatibility) - NVIDIA GeForce RTX 4060 (NVIDIA; 32.0.15.6603) - AMD Ryzen 5 5600X 6-Core Processor (12 Threads) - The system uses 2 monitors ### Issue description At certain project settings, window resizing breaks and the screen goes black. ### Steps to reproduce 1) Set the renderer to Compatibility 2) Then in Projects Settings -> Display -> Window: Stretch -> Mode set to Viewport, Size -> Mode set to Windowed, Size -> Resizable set to True. 3) Next, start the project and try to resize the window. The application screen will become black. I also recorded a video demonstration: https://youtu.be/Nw5Qs0URLH4 ### Minimal reproduction project (MRP) [Viewport Resize Bug.zip](https://github.com/user-attachments/files/17974252/Viewport.Resize.Bug.zip)
bug,topic:rendering
low
Critical
2,710,905,427
node
`Writable.write(buf, sourceOffset, sourceLength)`
I want to add a `Writable.write(sourceBuf, sourceOffset, sourceLength)` API to `Writable` to get a bit of extra performance in the following case: ```js writable.write(buf.subarray(offset, length)) ``` The `subarray` call (particularly regarding allocating `Buffer`) can be quite slow and avoided in this API. Hence I would like to be able to do something like: ```js writable.write(buf, offset, length) ``` I'm not sure how the API should look, though, or whether adding another signature to `write` would break anyone. Internally stream implementation would need to explicitly support this by implementing something like `_writeSlice` and `_writevSlice`
stream,feature request
low
Major
2,710,991,833
angular
Missing instructions in Routing Overview tutorial
### Describe the problem that you experienced In the first step of the tutorial, the instructions to import and making changes to ./app/routes.ts appears missing. ![Image](https://github.com/user-attachments/assets/72d6283e-62b9-491d-9c74-4f39cddb0218) ### Enter the URL of the topic with the problem https://angular.dev/tutorials/learn-angular/12-enable-routing ### Describe what you were looking for in the documentation The instructions for importing `Routes` from `@angular/router` and the exporting of the routes property should be mentioned instead of the empty text. ### Describe the actions that led you to experience the problem Follow the Learn Angular tutorials ### Describe what you want to experience that would fix the problem The steps to import the dependencies and export routes property should be clearly mentioned in Step 1 ### Add a screenshot if that helps illustrate the problem ![Image](https://github.com/user-attachments/assets/09303c21-db18-4047-aeb0-30c3c80f9009) ### If this problem caused an exception or error, please paste it here ```true ``` ### If the problem is browser-specific, please specify the device, OS, browser, and version ```true ``` ### Provide any additional information here in as much as detail as you can ```true ```
area: docs
low
Critical
2,711,003,763
rust
Tracking issue for release notes of #131713: Stabilize `const_maybe_uninit_write`
This issue tracks the release notes text for #131713. ### Steps - [ ] 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 # Const stabilized APIs - [`MaybeUninit::write`](https://doc.rust-lang.org/stable/std/mem/union.MaybeUninit.html#method.write) ```` > [!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 @tgross35, @dtolnay -- origin issue/PR authors and assignees for starting to draft text
T-libs-api,relnotes,relnotes-tracking-issue
low
Minor
2,711,009,731
pytorch
RuntimeError: quantized::conv2d_relu (ONEDNN): data type of input should be QUint8.
### ๐Ÿ› Describe the bug I am using PyTorch's quantification feature and I want to obtain an onnx model of type int8. Here are my main lines of code, but an error occurred `backend_config = get_qnnpack_backend_config()` `qconfig_mapping = _get_symmetric_qnnpack_qat_qconfig_mapping()` `dummy_input = torch.randn(1, 3, 224, 224)` `model_prepared = quantize_fx.prepare_qat_fx(quantized_model, qconfig_mapping=qconfig_mapping, example_inputs=dummy_input, backend_config=backend_config)` `model_quantized = quantize_fx.convert_fx(model_prepared, qconfig_mapping=qconfig_mapping, backend_config=backend_config)` `torch.onnx.export(model_quantized .to('cpu'), example_inputs, 'tmp.onnx')` ### Versions onnx 1.12.0 torch 2.1.0 cc @jerryzh168 @jianyuh @raghuramank100 @jamesr66a @vkuzo @jgong5 @Xia-Weiwen @leslie-fang-intel @msaroufim
module: onnx,oncall: quantization
medium
Critical
2,711,017,752
pytorch
Can not convert Llama-3.2-11B-Vision-Instruct by torch.jit.script / torch.jit.trace
### ๐Ÿ› Describe the bug I am trying to convert the `*.pth` file to `*.pt` file for using libtorch to load the model in C++. But both `torch.jit.script` or `torch.jit.trace` will emit a not support type error. I encountered this error, but I'm not sure if I misused the function, if it's an unimplemented feature, or if it's an upstream issue. Thank you for your guidance. ``` * torch.jit.script torch.jit.frontend.NotSupportedError: Comprehension ifs are not supported yet ## transformers/models/mllama/modeling_mllama.py", line 1517 # return tuple(v for v in [hidden_state, hidden_states, attentions] if v is not None) * torch.jit.trace RuntimeError: Type 'Tuple[str, str, str, str, str, str]' cannot be traced. Only Tensors and (possibly nested) Lists, Dicts, and Tuples of Tensors can be traced ``` ```py ## almost same as example in Llama-3.2-11B-Vision-Instruct import requests import torch from PIL import Image from transformers import MllamaForConditionalGeneration, AutoProcessor from huggingface_hub import login login(token = 'XXXXXX') model_id = "meta-llama/Llama-3.2-11B-Vision-Instruct" model = MllamaForConditionalGeneration.from_pretrained( model_id, torch_dtype=torch.bfloat16, device_map="auto", cache_dir="./tmp/" ) processor = AutoProcessor.from_pretrained(model_id) url = "https://huggingface.co/datasets/huggingface/documentation-images/resolve/0052a70beed5bf71b92610a43a52df6d286cd5f3/diffusers/rabbit.jpg" image = Image.open(requests.get(url, stream=True).raw) messages = [ {"role": "user", "content": [ {"type": "image"}, {"type": "text", "text": "If I had to write a haiku for this one, it would be: "} ]} ] input_text = processor.apply_chat_template(messages, add_generation_prompt=True) inputs = processor( image, input_text, add_special_tokens=False, return_tensors="pt" ).to(model.device) # tm= torch.jit.script(model) tm = torch.jit.trace(model, inputs) tm.save("a.pt") ``` ### 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: Ubuntu 22.04.5 LTS (x86_64) GCC version: (Ubuntu 11.4.0-1ubuntu1~22.04) 11.4.0 Clang version: 14.0.0-1ubuntu1.1 CMake version: version 3.27.2 Libc version: glibc-2.35 Python version: 3.10.12 (main, Nov 6 2024, 20:22:13) [GCC 11.4.0] (64-bit runtime) Python platform: Linux-6.2.0-39-generic-x86_64-with-glibc2.35 Is CUDA available: True CUDA runtime version: Could not collect CUDA_MODULE_LOADING set to: LAZY GPU models and configuration: GPU 0: NVIDIA GeForce GTX 1080 Nvidia driver version: 545.23.08 cuDNN version: Probably one of the following: /usr/lib/x86_64-linux-gnu/libcudnn.so.8.9.7 /usr/lib/x86_64-linux-gnu/libcudnn_adv_infer.so.8.9.7 /usr/lib/x86_64-linux-gnu/libcudnn_adv_train.so.8.9.7 /usr/lib/x86_64-linux-gnu/libcudnn_cnn_infer.so.8.9.7 /usr/lib/x86_64-linux-gnu/libcudnn_cnn_train.so.8.9.7 /usr/lib/x86_64-linux-gnu/libcudnn_ops_infer.so.8.9.7 /usr/lib/x86_64-linux-gnu/libcudnn_ops_train.so.8.9.7 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: 39 bits physical, 48 bits virtual Byte Order: Little Endian CPU(s): 8 On-line CPU(s) list: 0-7 Vendor ID: GenuineIntel Model name: Intel(R) Core(TM) i7-10700 CPU @ 2.90GHz CPU family: 6 Model: 165 Thread(s) per core: 1 Core(s) per socket: 8 Socket(s): 1 Stepping: 5 CPU max MHz: 4800.0000 CPU min MHz: 800.0000 BogoMIPS: 5799.77 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 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 invpcid_single ssbd ibrs ibpb stibp ibrs_enhanced tpr_shadow vnmi flexpriority ept vpid ept_ad fsgsbase tsc_adjust bmi1 avx2 smep bmi2 erms invpcid mpx rdseed adx smap clflushopt intel_pt xsaveopt xsavec xgetbv1 xsaves dtherm ida arat pln pts hwp hwp_notify hwp_act_window hwp_epp pku ospke md_clear flush_l1d arch_capabilities Virtualization: VT-x L1d cache: 256 KiB (8 instances) L1i cache: 256 KiB (8 instances) L2 cache: 2 MiB (8 instances) L3 cache: 16 MiB (1 instance) NUMA node(s): 1 NUMA node0 CPU(s): 0-7 Vulnerability Gather data sampling: Mitigation; Microcode Vulnerability Itlb multihit: KVM: Mitigation: VMX disabled Vulnerability L1tf: Not affected Vulnerability Mds: Not affected Vulnerability Meltdown: Not affected Vulnerability Mmio stale data: Mitigation; Clear CPU buffers; SMT disabled Vulnerability Retbleed: Mitigation; Enhanced IBRS 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 IBRS, IBPB conditional, RSB filling, PBRSB-eIBRS SW sequence Vulnerability Srbds: Mitigation; Microcode 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-nccl-cu12==2.21.5 [pip3] nvidia-nvjitlink-cu12==12.4.127 [pip3] nvidia-nvtx-cu12==12.4.127 [pip3] torch==2.5.1 [pip3] triton==3.1.0 [conda] Could not collect ``` cc @EikanWang @jgong5 @wenzhe-nrv @sanchitintel
oncall: jit
low
Critical
2,711,042,824
godot
Godot v4.3 & windows 11- crash when edit โ€œRenderer: Forward+โ€ project
### Tested versions -**Reproducible**: v4.4-dev5, v4.3-stable, v4.2.2-stable, v4.2.1-stable, v4.2-stable -**Not reproducible**: ### System information Windows 11 Home - 24H2, Godot v4.3-stable_win64, Nvidia GeForce GTX 1060 - 22.21.13.8253 ### Issue description First time installing Godot. it does launch the โ€œGodot Engine - Project Managerโ€ and create project but when I try to edit a โ€œRenderer: Forward+โ€ project, Godot crash. I tried with the normal and .Net version. Same result. If I create a project with โ€œRenderer: Compatibilityโ€, then it work properly I updated my driver, same result. ### Steps to reproduce - Create "New Project" - select "Forward+" - click "Create & Edit" then open the project or Edit project ### Minimal reproduction project (MRP) ``` **Error windows event** Log Name: Application Source: Application Error Date: 11/25/2024 3:57:09 PM Event ID: 1000 Task Category: Application Crashing Events Level: Error *Keywords: * User: XXXX\XXXX Computer: XXXX Description: Faulting application name: Godot_v4.3-stable_win64.exe, version: 4.3.0.0, time stamp: 0x66bd392d Faulting module name: ntdll.dll, version: 10.0.26100.2161, time stamp: 0x6c29f8c2 Exception code: 0xc0000005 Fault offset: 0x0000000000027eb0 Faulting process id: 0x4888 Faulting application start time: 0x1DB3F4A4B3D6205 Faulting application path: C:\Users\XXXX\Downloads\Godot_v4.3-stable_win64.exe\Godot_v4.3-stable_win64.exe Faulting module path: C:\WINDOWS\SYSTEM32\ntdll.dll Report Id: ef8238c6-b218-4fdc-aa59-c0cabcfd4eb0 *Faulting package full name: * *Faulting package-relative application ID: * Event Xml: * * 1000* 0* 2* 100* 0* 0x8000000000000000* * 2084* * * Application* woody* * * * Godot_v4.3-stable_win64.exe* 4.3.0.0* 66bd392d* ntdll.dll* 10.0.26100.2161* 6c29f8c2* c0000005* 0000000000027eb0* 0x4888* 0x1db3f4a4b3d6205* C:\Users\XXXX\Downloads\Godot_v4.3-stable_win64.exe\Godot_v4.3-stable_win64.exe* C:\WINDOWS\SYSTEM32\ntdll.dll* ef8238c6-b218-4fdc-aa59-c0cabcfd4eb0* * * * * * **Bug report** Version=1 EventType=APPCRASH EventTime=133770202296466746 ReportType=2 Consent=1 UploadTime=133770202349217380 ReportStatus=268435456 ReportIdentifier=5084d33c-4caa-419b-b1f4-30d82e11379c IntegratorReportIdentifier=ef8238c6-b218-4fdc-aa59-c0cabcfd4eb0 Wow64Host=34404 NsAppName=Godot_v4.3-stable_win64.exe AppSessionGuid=00004888-0001-000e-0562-3d4b4a3fdb01 TargetAppId=W:00067a6e7b146d39bd5672123a455669526b00000904!000089985c4f2fa061ccdb1cf510218ab331d0079ba9!Godot_v4.3-stable_win64.exe TargetAppVer=2024//08//14:23:09:33!7ec43dc!Godot_v4.3-stable_win64.exe BootId=4294967295 TargetAsId=3679 UserImpactVector=808452912 IsFatal=1 EtwNonCollectReason=1 Response.BucketId=efc71f69ab66f601cfc197d4f33d4f8b Response.BucketTable=4 Response.LegacyBucketId=2288277026550665099 Response.type=4 Sig[0].Name=Application Name Sig[0].Value=Godot_v4.3-stable_win64.exe Sig[1].Name=Application Version Sig[1].Value=4.3.0.0 Sig[2].Name=Application Timestamp Sig[2].Value=66bd392d Sig[3].Name=Fault Module Name Sig[3].Value=ntdll.dll Sig[4].Name=Fault Module Version Sig[4].Value=10.0.26100.2161 Sig[5].Name=Fault Module Timestamp Sig[5].Value=6c29f8c2 Sig[6].Name=Exception Code Sig[6].Value=c0000005 Sig[7].Name=Exception Offset Sig[7].Value=0000000000027eb0 DynamicSig[1].Name=OS Version DynamicSig[1].Value=10.0.26100.2.0.0.768.101 DynamicSig[2].Name=Locale ID DynamicSig[2].Value=1033 DynamicSig[22].Name=Additional Information 1 DynamicSig[22].Value=2bb1 DynamicSig[23].Name=Additional Information 2 DynamicSig[23].Value=2bb1efb5450fcadeff5e5e1d8373dde2 DynamicSig[24].Name=Additional Information 3 DynamicSig[24].Value=dd18 DynamicSig[25].Name=Additional Information 4 DynamicSig[25].Value=dd18e1baf413437d64e2f26ed833e08a UI[2]=C:\Users\XXXX\Downloads\Godot_v4.3-stable_win64.exe\Godot_v4.3-stable_win64.exe LoadedModule[0]=C:\Users\XXXX\Downloads\Godot_v4.3-stable_win64.exe\Godot_v4.3-stable_win64.exe LoadedModule[1]=C:\WINDOWS\SYSTEM32\ntdll.dll LoadedModule[2]=C:\WINDOWS\System32\KERNEL32.DLL LoadedModule[3]=C:\WINDOWS\System32\KERNELBASE.dll LoadedModule[4]=C:\WINDOWS\System32\ADVAPI32.dll LoadedModule[5]=C:\WINDOWS\System32\msvcrt.dll LoadedModule[6]=C:\WINDOWS\System32\sechost.dll LoadedModule[7]=C:\WINDOWS\System32\RPCRT4.dll LoadedModule[8]=C:\WINDOWS\System32\CRYPT32.dll LoadedModule[9]=C:\WINDOWS\System32\ucrtbase.dll LoadedModule[10]=C:\WINDOWS\System32\GDI32.dll LoadedModule[11]=C:\WINDOWS\SYSTEM32\bcrypt.dll LoadedModule[12]=C:\WINDOWS\System32\win32u.dll LoadedModule[13]=C:\WINDOWS\SYSTEM32\AVRT.dll LoadedModule[14]=C:\WINDOWS\System32\gdi32full.dll LoadedModule[15]=C:\WINDOWS\SYSTEM32\dbghelp.dll LoadedModule[16]=C:\WINDOWS\System32\msvcp_win.dll LoadedModule[17]=C:\WINDOWS\System32\combase.dll LoadedModule[18]=C:\WINDOWS\System32\USER32.dll LoadedModule[19]=C:\WINDOWS\SYSTEM32\DINPUT8.dll LoadedModule[20]=C:\WINDOWS\SYSTEM32\dwmapi.dll LoadedModule[21]=C:\WINDOWS\System32\IMM32.dll LoadedModule[22]=C:\WINDOWS\System32\OLEAUT32.dll LoadedModule[23]=C:\WINDOWS\System32\ole32.dll LoadedModule[24]=C:\WINDOWS\SYSTEM32\DWrite.dll LoadedModule[25]=C:\WINDOWS\SYSTEM32\dxgi.dll LoadedModule[26]=C:\WINDOWS\System32\SHELL32.dll LoadedModule[27]=C:\WINDOWS\System32\SHLWAPI.dll LoadedModule[28]=C:\WINDOWS\System32\WS2_32.dll LoadedModule[29]=C:\WINDOWS\SYSTEM32\IPHLPAPI.DLL LoadedModule[30]=C:\WINDOWS\SYSTEM32\WINMM.dll LoadedModule[31]=C:\WINDOWS\SYSTEM32\WSOCK32.dll LoadedModule[32]=C:\WINDOWS\System32\bcryptPrimitives.dll LoadedModule[33]=C:\WINDOWS\SYSTEM32\directxdatabasehelper.dll LoadedModule[34]=C:\WINDOWS\SYSTEM32\kernel.appcore.dll LoadedModule[35]=C:\WINDOWS\SYSTEM32\inputhost.dll LoadedModule[36]=C:\WINDOWS\SYSTEM32\CoreMessaging.dll LoadedModule[37]=C:\WINDOWS\System32\shcore.dll LoadedModule[38]=C:\WINDOWS\system32\uxtheme.dll LoadedModule[39]=C:\WINDOWS\SYSTEM32\CRYPTBASE.DLL LoadedModule[40]=C:\WINDOWS\SYSTEM32\vulkan-1.dll LoadedModule[41]=C:\WINDOWS\SYSTEM32\CFGMGR32.dll LoadedModule[42]=C:\WINDOWS\SYSTEM32\dxcore.dll LoadedModule[43]=C:\WINDOWS\SYSTEM32\DEVOBJ.dll LoadedModule[44]=C:\WINDOWS\System32\WINTRUST.dll LoadedModule[45]=C:\WINDOWS\SYSTEM32\MSASN1.dll LoadedModule[46]=C:\WINDOWS\SYSTEM32\ntmarta.dll LoadedModule[47]=C:\WINDOWS\system32\nvoglv64.dll LoadedModule[48]=C:\WINDOWS\System32\SETUPAPI.dll LoadedModule[49]=C:\WINDOWS\SYSTEM32\WTSAPI32.dll LoadedModule[50]=C:\WINDOWS\SYSTEM32\VERSION.dll LoadedModule[51]=C:\WINDOWS\SYSTEM32\windows.storage.dll LoadedModule[52]=C:\WINDOWS\System32\MSCTF.dll LoadedModule[53]=C:\WINDOWS\SYSTEM32\textinputframework.dll LoadedModule[54]=C:\WINDOWS\SYSTEM32\CoreUIComponents.dll LoadedModule[55]=C:\WINDOWS\SYSTEM32\wintypes.dll LoadedModule[56]=C:\WINDOWS\system32\Oleacc.dll LoadedModule[57]=C:\WINDOWS\SYSTEM32\PROPSYS.dll LoadedModule[58]=C:\WINDOWS\SYSTEM32\XInput1_4.dll LoadedModule[59]=C:\WINDOWS\SYSTEM32\HID.DLL State[0].Key=Transport.DoneStage1 State[0].Value=1 OsInfo[0].Key=vermaj OsInfo[0].Value=10 OsInfo[1].Key=vermin OsInfo[1].Value=0 OsInfo[2].Key=verbld OsInfo[2].Value=26100 OsInfo[3].Key=ubr OsInfo[3].Value=2314 OsInfo[4].Key=versp OsInfo[4].Value=0 OsInfo[5].Key=arch OsInfo[5].Value=9 OsInfo[6].Key=lcid OsInfo[6].Value=1033 OsInfo[7].Key=geoid OsInfo[7].Value=84 OsInfo[8].Key=sku OsInfo[8].Value=101 OsInfo[9].Key=domain OsInfo[9].Value=0 OsInfo[10].Key=prodsuite OsInfo[10].Value=768 OsInfo[11].Key=ntprodtype OsInfo[11].Value=1 OsInfo[12].Key=platid OsInfo[12].Value=10 OsInfo[13].Key=sr OsInfo[13].Value=0 OsInfo[14].Key=tmsi OsInfo[14].Value=222947449 OsInfo[15].Key=osinsty OsInfo[15].Value=1 OsInfo[16].Key=iever OsInfo[16].Value=11.1882.26100.0-11.0.1000 OsInfo[17].Key=portos OsInfo[17].Value=0 OsInfo[18].Key=ram OsInfo[18].Value=16319 OsInfo[19].Key=svolsz OsInfo[19].Value=230 OsInfo[20].Key=wimbt OsInfo[20].Value=0 OsInfo[21].Key=blddt OsInfo[21].Value=240331 OsInfo[22].Key=bldtm OsInfo[22].Value=1435 OsInfo[23].Key=bldbrch OsInfo[23].Value=ge_release OsInfo[24].Key=bldchk OsInfo[24].Value=0 OsInfo[25].Key=wpvermaj OsInfo[25].Value=0 OsInfo[26].Key=wpvermin OsInfo[26].Value=0 OsInfo[27].Key=wpbuildmaj OsInfo[27].Value=0 OsInfo[28].Key=wpbuildmin OsInfo[28].Value=0 OsInfo[29].Key=osver OsInfo[29].Value=10.0.26100.2314.amd64fre.ge_release.240331-1435 OsInfo[30].Key=buildflightid OsInfo[31].Key=edition OsInfo[31].Value=Core OsInfo[32].Key=ring OsInfo[32].Value=Retail OsInfo[33].Key=flightbranch OsInfo[34].Key=expid OsInfo[34].Value=MD:283BAEF,ME:3036FD6,FX:132134BD,ME:3037091,FX:132CC730,ME:3038C64,FX:1335A3A6,ME:3038CEC,FX:133BD38E OsInfo[35].Key=fconid OsInfo[35].Value=19193777,0,2,0;19194309,0,2,0;19638787,0,2,0;23531064,2,2,0;23562335,2,2,0;23563673,2,2,0;35681102,0,1,0;39146010,0,2,0;42187503,0,1,0;42969627,0,1,1;43283184,0,1,1;43729363,0,2,1;44030954,0,1,1;45825686,0,1,0;46817969,0,2,1;47370305,0,2,1;47557358,0,2,1;48433541,0,2,0;48433706,0,2,0;48433719,0,1,0;48455785,0,2,1;48468527,0,2,0;48468541,0,2,0;48662857,0,2,0;49068236,0,1,1;49084341,0,1,0;49175271,0,2,1;49204591,0,1,1;49239926,0,1,1;49292347,0,2,1;49309588,0,1,1;49577493,0,1,1;49615603,0,1,1;49666144,0,1,0;49686193,0,0,0;49918560,0,1,1;50219409,0,1,0;50219413,0,1,0;50556886,0,2,1;50557073,0,2,1;50564196,0,2,1;50564332,0,2,1;50565209,0,1,0;50692135,0,1,1;50762615,0,1,1;51578581,0,1,0;51850502,2,2,0;51880512,0,1,0;52087985,0,1,0;52800232,0,1,1;52873407,0,0,1;53058215,0,1,0;53100365,0,1,1;53536518,0,1,0;54237951,0,1,0;54237969,0,1,0;54237977,0,1,0;54237988,0,1,0;54237993,0,1,0;54238000,0,1,0 OsInfo[36].Key=containerid OsInfo[37].Key=containertype OsInfo[38].Key=edu OsInfo[38].Value=0 OsInfo[39].Key=servicinginprogress OsInfo[39].Value=0 OsInfo[40].Key=featureupdatependingreboot OsInfo[40].Value=0 FriendlyEventName=Stopped working ConsentKey=APPCRASH AppName=Godot Engine AppPath=C:\Users\XXXX\Downloads\Godot_v4.3-stable_win64.exe\Godot_v4.3-stable_win64.exe NsPartner=windows NsGroup=windows8 ApplicationIdentity=54C12176475F94661D793D1189D4DDD8 MetadataHash=1174696954 ```
bug,topic:rendering,crash
low
Critical
2,711,103,386
PowerToys
roman numerals support in quick accent
### Description of the new feature / enhancement In Unicode, Roman numerals have their corresponding characters, and in many cases Roman numerals are used. So can they be added to Quick Accent. Otherwise using Roman numerals would be so cumbersome that I would have to use something like III (3 capitalized I's), which troubles me a lot in format :cry:. ### Scenario when this would be used? In cases when the roman numerals are needed. ### Supporting information Roman numerals in Unicode are between U+2160 to U+217F
Idea-Enhancement,Needs-Triage,Product-Quick Accent
low
Minor
2,711,107,164
ant-design
Carousel ่ตฐ้ฉฌ็ฏ้œ€่ฆๆ”ฏๆŒๅ—ๆŽงๆจกๅผ
### What problem does this feature solve? ๅ—ๆŽงๆจกๅผ่Žทๅพ—ไปฅไธ‹ๅŠŸ่ƒฝ๏ผš 1. ๆŒ‡ๅฎš้ป˜่ฎคๆ˜พ็คบ็š„้ขๆฟ๏ผŒ่€Œไธๆ˜ฏ้ป˜่ฎคๆ˜พ็คบ็ฌฌไธ€ไธช 2. ๅฏไปฅๆŽงๅˆถ้ขๆฟๅˆ‡ๆข็š„้€ป่พ‘ ### What does the proposed API look like? ๆ–ฐๅขž value ๅ’Œ onChange ๅฑžๆ€ง ```tsx const [index, setIndex] = useState(0) <Carousel index={1} onChange={setIndex}> ... </Carousel> ``` <!-- generated by ant-design-issue-helper. DO NOT REMOVE -->
๐Ÿ’ก Feature Request,Inactive,๐Ÿงถ Low Priority
low
Minor
2,711,124,798
rust
Tracking issue for release notes of #133631: Add new target for supporting Neutrino QNX 7.1 with `io-socket` netwoโ€ฆ
This issue tracks the release notes text for #133631. ### 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 - [Add new Tier 3 targets `{aarch64-unknown,x86_64-pc}-nto-qnx710_iosock` for supporting Neutrino QNX 7.1 with `io-socket` network stack.](https://github.com/rust-lang/rust/pull/133631) ```` > [!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 @flba-eb, @pnkfelix -- origin issue/PR authors and assignees for starting to draft text
T-compiler,relnotes,O-unix,O-neutrino,relnotes-tracking-issue
low
Minor
2,711,156,696
langchain
[Bug] [core/indexer] PR #25754 seems like introducing bugs
### 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 None ### Error Message and Stack Trace (if applicable) None ### Description https://github.com/langchain-ai/langchain/pull/25754 seems like introducing bugs. Let's say we have 3 records `a`, `b`, `c` with the same source_id, and someone will delete the record `c`. The indexer should delete a record for `c` from vector database and record manager, but it won't after the PR was merged because `docs_to_index` doesn't include the source_id. ### System Info None
๐Ÿค–:bug
low
Critical
2,711,413,770
go
proposal: slices: func CollectError
### Proposal Details Idiomatic go functions are often in the form `func (...) (T, err)`. When creating iterators, it is equally common for the underlying functions to potentially return an error as each element in the iteration is created. For example, records might be read from a database, or requests from a client, etc. Therefore, it will be relatively common for iterators of the form `iter.Seq2[T, error]` to be defined, as each element may produce an error. Sometimes a non-nil error will indicate a problem with that element only, but in many situations it will correspond to a termination of the iterator. [`slices.Collect()`](https://pkg.go.dev/slices#Collect) is a helpful function to generate `[]T` from `iter.Seq[T]`. It would be helpful to have an analogue to handle `iter.Seq2[T, error]` My proposal is to add something similar to the following to the `slices` package: ```go func CollectError[T any](seq iter.Seq2[T, error]) ([]T, error) { var err error result := slices.Collect[T](func(yield func(t T) bool) { for k, v := range seq { if v != nil { err = v return } if !yield(k) { return } } }) return result, err } ``` If an iteration includes a non-nil error, a slice of `[]T` will be returned including all elements up to (but not including) the erroring iteration, along with the error. Should no error be found, it will return `([]T, nil)`. While this is not a large or complex function, iterator syntax is a little unwieldy and this would allow gophers to more easily consume `iter.Seq2[T, err]` iterators without being exposed to `yield`. As mentioned earlier, some `iter.Seq2[T, err]` iterators will return a non-nil error and then continue. They would not be suitable to use with `CollectError` - but it would not be encouraged to collect these elements into a slice anyway; they should be processed as they arrive instead.
Proposal
low
Critical
2,711,519,803
ui
[feat]: add Tab Nav components
### Feature description In addition to regular [Tabs](https://www.radix-ui.com/themes/docs/components/tabs), in Radix UI they also have a [Tab Nav](https://www.radix-ui.com/themes/docs/components/tab-nav) component for having tabs that perform navigation using links. This can be hacked together [by asChilding and using links inside triggers](https://github.com/shadcn-ui/ui/issues/414#issuecomment-2428292382), but according to Radix UI documentation this isn't how the Tabs Primitive should be used: > Tabs should not be used for page navigation. Use Tab Nav instead, which is designed for this purpose and has equivalent styles. I think shadcn/ui would benefit from also having this kind of component especially when used with routing solutions like Tanstack Router and React Router 6+, that allow some level of nested routes and where data loading is usually done at the route level. ### Example Most of the times when I use `Tabs` I use it for a sub navigation on a page, so maybe for a `/settings` page I want to each of these under a tab: - `/settings/profile` - `/settings/notifications` - `/settings/whatever` I would like `/settings` to just render tabs like this: ```ts <TabNav ...> ... </TabNav> <Outlet /> ``` And then each sub page has its own concerns for data loading etc. However, with the current tabs component I am handling each sub page's data loading at the `/settings` page because I have to render every content panel and if I want them to be actual links so I can link someone to the `/settings/notifications` page, I need to control the components and synchronize with the url state. ### Affected component/components Tabs ### Additional Context Radix UI components: - [Tabs](https://www.radix-ui.com/themes/docs/components/tabs) - [Tab Nav](https://www.radix-ui.com/themes/docs/components/tab-nav) #414 A prior issue (question) about deep linking into a specific tab that would be made trivial by adding this feature. The proposed solutions seems to go against the reccomendation from Radix UI documentation that "Tabs should not be used for page navigation". ### Before submitting - [X] I've made research efforts and searched the documentation - [X] I've searched for existing issues and PRs
area: request
low
Major
2,711,542,602
terminal
Dark overlay in response pane of Terminal Chat reduces visibility
### Windows Terminal version 1.23.3311.0 ### Windows build number 10.0.22631.4460 ### Other Software _No response_ ### Steps to reproduce Ask the chat a question ### Expected Behavior The response pane in Terminal Chat should display text clearly without any dark overlay obstructing visibility ### Actual Behavior ![Image](https://github.com/user-attachments/assets/35712995-82f9-443f-a124-03f0d4726eb5)
Issue-Bug,Area-UserInterface,Needs-Tag-Fix,Priority-3,Area-Chat
low
Minor
2,711,553,216
kubernetes
failed to create patch: unable to find api field in struct Probe for the json field "grpc"
### What happened? When running `helm upgrade ...` for a certain release, the following error has occurs: ``` $ helm upgrade --debug --install <REDACTED> history.go:53: [debug] getting history for release <REDACTED> upgrade.go:121: [debug] preparing upgrade for <REDACTED> upgrade.go:428: [debug] reusing the old release's values upgrade.go:129: [debug] performing update for <REDACTED> upgrade.go:296: [debug] creating upgraded release for <REDACTED> client.go:173: [debug] checking 6 resources for changes client.go:436: [debug] Looks like there are no changes for Service "<REDACTED>" client.go:205: [debug] error updating the resource "<REDACTED>": failed to create patch: unable to find api field in struct Probe for the json field "grpc" upgrade.go:355: [debug] warning: Upgrade "<REDACTED>" failed: failed to create patch: unable to find api field in struct Probe for the json field "grpc" ##[error]history.go:53: [debug] getting history for release <REDACTED> upgrade.go:121: [debug] preparing upgrade for <REDACTED> upgrade.go:428: [debug] reusing the old release's values upgrade.go:129: [debug] performing update for <REDACTED> upgrade.go:296: [debug] creating upgraded release for <REDACTED> client.go:173: [debug] checking 6 resources for changes client.go:436: [debug] Looks like there are no changes for Service "<REDACTED>" client.go:205: [debug] error updating the resource "<REDACTED>": failed to create patch: unable to find api field in struct Probe for the json field "grpc" upgrade.go:355: [debug] warning: Upgrade "<REDACTED>" failed: failed to create patch: unable to find api field in struct Probe for the json field "grpc" Error: UPGRADE FAILED: failed to create patch: unable to find api field in struct Probe for the json field "grpc" helm.go:94: [debug] failed to create patch: unable to find api field in struct Probe for the json field "grpc" helm.sh/helm/v3/pkg/kube.(*Client).Update /home/circleci/helm.sh/helm/pkg/kube/client.go:218 helm.sh/helm/v3/pkg/action.(*Upgrade).performUpgrade /home/circleci/helm.sh/helm/pkg/action/upgrade.go:310 helm.sh/helm/v3/pkg/action.(*Upgrade).Run /home/circleci/helm.sh/helm/pkg/action/upgrade.go:130 main.newUpgradeCmd.func2 /home/circleci/helm.sh/helm/cmd/helm/upgrade.go:154 github.com/spf13/cobra.(*Command).execute /go/pkg/mod/github.com/spf13/[email protected]/command.go:842 github.com/spf13/cobra.(*Command).ExecuteC /go/pkg/mod/github.com/spf13/[email protected]/command.go:950 github.com/spf13/cobra.(*Command).Execute /go/pkg/mod/github.com/spf13/[email protected]/command.go:887 main.main /home/circleci/helm.sh/helm/cmd/helm/helm.go:93 runtime.main /usr/local/go/src/runtime/proc.go:203 runtime.goexit /usr/local/go/src/runtime/asm_amd64.s:1373 UPGRADE FAILED main.newUpgradeCmd.func2 /home/circleci/helm.sh/helm/cmd/helm/upgrade.go:156 github.com/spf13/cobra.(*Command).execute /go/pkg/mod/github.com/spf13/[email protected]/command.go:842 github.com/spf13/cobra.(*Command).ExecuteC /go/pkg/mod/github.com/spf13/[email protected]/command.go:950 github.com/spf13/cobra.(*Command).Execute /go/pkg/mod/github.com/spf13/[email protected]/command.go:887 main.main /home/circleci/helm.sh/helm/cmd/helm/helm.go:93 runtime.main /usr/local/go/src/runtime/proc.go:203 runtime.goexit /usr/local/go/src/runtime/asm_amd64.s:1373 2024-12-01T16:36:53.8872455Z Error: UPGRADE FAILED: failed to create patch: unable to find api field in struct Probe for the json field "grpc" 2024-12-01T16:36:53.8882936Z helm.go:94: [debug] failed to create patch: unable to find api field in struct Probe for the json field "grpc" 2024-12-01T16:36:53.8883982Z helm.sh/helm/v3/pkg/kube.(*Client).Update 2024-12-01T16:36:53.8884509Z /home/circleci/helm.sh/helm/pkg/kube/client.go:218 2024-12-01T16:36:53.8884968Z helm.sh/helm/v3/pkg/action.(*Upgrade).performUpgrade 2024-12-01T16:36:53.8885425Z /home/circleci/helm.sh/helm/pkg/action/upgrade.go:310 2024-12-01T16:36:53.8885874Z helm.sh/helm/v3/pkg/action.(*Upgrade).Run 2024-12-01T16:36:53.8886315Z /home/circleci/helm.sh/helm/pkg/action/upgrade.go:130 2024-12-01T16:36:53.8886733Z main.newUpgradeCmd.func2 2024-12-01T16:36:53.8887154Z /home/circleci/helm.sh/helm/cmd/helm/upgrade.go:154 2024-12-01T16:36:53.8887599Z github.com/spf13/cobra.(*Command).execute 2024-12-01T16:36:53.8888049Z /go/pkg/mod/github.com/spf13/[email protected]/command.go:842 2024-12-01T16:36:53.8888497Z github.com/spf13/cobra.(*Command).ExecuteC 2024-12-01T16:36:53.8888948Z /go/pkg/mod/github.com/spf13/[email protected]/command.go:950 2024-12-01T16:36:53.8889382Z github.com/spf13/cobra.(*Command).Execute 2024-12-01T16:36:53.8889825Z /go/pkg/mod/github.com/spf13/[email protected]/command.go:887 2024-12-01T16:36:53.8890231Z main.main 2024-12-01T16:36:53.8890638Z /home/circleci/helm.sh/helm/cmd/helm/helm.go:93 2024-12-01T16:36:53.8891035Z runtime.main 2024-12-01T16:36:53.8891429Z /usr/local/go/src/runtime/proc.go:203 2024-12-01T16:36:53.8891825Z runtime.goexit 2024-12-01T16:36:53.8892223Z /usr/local/go/src/runtime/asm_amd64.s:1373 2024-12-01T16:36:53.8892633Z UPGRADE FAILED 2024-12-01T16:36:53.8893026Z main.newUpgradeCmd.func2 2024-12-01T16:36:53.8893464Z /home/circleci/helm.sh/helm/cmd/helm/upgrade.go:156 2024-12-01T16:36:53.8893917Z github.com/spf13/cobra.(*Command).execute 2024-12-01T16:36:53.8894386Z /go/pkg/mod/github.com/spf13/[email protected]/command.go:842 2024-12-01T16:36:53.8894933Z github.com/spf13/cobra.(*Command).ExecuteC 2024-12-01T16:36:53.8895407Z /go/pkg/mod/github.com/spf13/[email protected]/command.go:950 2024-12-01T16:36:53.8895846Z github.com/spf13/cobra.(*Command).Execute 2024-12-01T16:36:53.8896265Z /go/pkg/mod/github.com/spf13/[email protected]/command.go:887 2024-12-01T16:36:53.8896669Z main.main 2024-12-01T16:36:53.8897065Z /home/circleci/helm.sh/helm/cmd/helm/helm.go:93 2024-12-01T16:36:53.8897469Z runtime.main 2024-12-01T16:36:53.8897823Z /usr/local/go/src/runtime/proc.go:203 2024-12-01T16:36:53.8898178Z runtime.goexit 2024-12-01T16:36:53.8898541Z /usr/local/go/src/runtime/asm_amd64.s:1373 2024-12-01T16:36:53.8976539Z ##[section]Finishing: helm upgrade ``` I suspect the issue is coming from the `kubectl patch` command which helm uses, as you can see in the error message: `failed to create patch` This only happens when there's a deployment's pod spec with a *Probe (startupProbe, readinessProbe, etc...), with the `grpc` attribute, but the `grpc.service` attribute is an empty string. When I put something in the service, this works fine. e.g: This works: ```yaml readinessProbe: grpc: port: 8080 service: "readiness" ``` These don't work: ```yaml readinessProbe: grpc: port: 8080 service: "" ``` ```yaml readinessProbe: grpc: port: 8080 service: ``` ### What did you expect to happen? The *Probe struct should be able to receive an "empty" value for the `grpc.service` endpoint. ### How can we reproduce it (as minimally and precisely as possible)? - Create a deployment with these values (both should behave the same imo): ```yaml readinessProbe: grpc: port: 8080 service: "" ``` ```yaml readinessProbe: grpc: port: 8080 service: ``` - Apply the deployment to a cluster - Make a change to something unrelated to the `grpc` struct - Try to `kubectl patch` it ### Anything else we need to know? _No response_ ### Kubernetes version <details> ```console $ kubectl version Client Version: v1.30.5 Kustomize Version: v5.0.4-0.20230601165947-6ce0bf390ce3 Server Version: v1.28.9 ``` </details> ### Cloud provider <details> Azure AKS </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 BuildNumber Caption OSArchitecture Version 26100 Microsoft Windows 11 Enterprise 64-bit 10.0.26100 ``` </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/apps,needs-triage
low
Critical
2,711,555,798
react
[Compiler Bug]: Moved breakpoint in React Native
### What kind of issue is this? - [ ] React Compiler core (the JS output is incorrect, or your app works incorrectly after optimization) - [x] babel-plugin-react-compiler (build issue installing or using the Babel plugin) - [ ] eslint-plugin-react-compiler (build issue installing or using the eslint plugin) - [ ] react-compiler-healthcheck (build issue installing or using the healthcheck script) ### Link to repro https://github.com/maciekstosio/CompilerRepo ### Repro steps - Run the app ``` yarn install yarn start ``` - Run dev tools - Try to put breakpoint on `const a = 'Test Error';` - it's moved to main component - Put breakpoint on `throw new Error(a);` - debugger don't stop on The debugger used with React Native (0.76.3) sometimes moves the breakpoint to other places. It sometimes doesn't stop. I can reproduce it reliably with the variable assignment and arrow functions. The problem occurs both in DevTools and Radon IDE ), so I assume this is a problem with source maps after optimization or Chrome Debugger, not the DevTools front. |Without Compiler|With Compiler| |-|-| |<video src="https://github.com/user-attachments/assets/bcb514cc-4697-4019-998f-79ca2fb1c219" />|<video src="https://github.com/user-attachments/assets/c1dbb46d-5da2-49d8-a1d3-1f4545729fe4" />| ### How often does this bug happen? Every time ### What version of React are you using? 18.3.1 ### What version of React Compiler are you using? 19.0.0-beta-df7b47d-20241124
Type: Bug,Status: Unconfirmed,Component: Optimizing Compiler
medium
Critical
2,711,556,987
flutter
[go_router][web] GoRouter's `refresh` method stops refreshing the current route starting from version `13.0.0`
### Steps to reproduce I have some functionality in my project where the current route must be refreshed after some user action. Depending of those user action the content of widget which represents a current route must be rebuilt. My functionality is working good under version `12.1.3`. Starting from `13.0.0` it stops working, so I cannot use new version of `GoRouter` without lost of my funcitonality. It is naturally I cannot to re-create the full functionality of my project but I tried to create some reproduceable example. Just run the sample with version of `go_router` `12.1.3` and click the button. It just calls the `refresh` method. You will see that the time string is changed. Then change the version of `go_router` to `13.0.0` or any above, restart the project and click the button. You will see that the time string stops updating. ### Expected results The widget `Home` must be refreshed (the `build` method must be called). The difference between this sample and my code is: in my code the widget is re-created (`initState` is called) in this sample the widget is updated (`updateWidget` is called). ### Actual results The widget `Home` is not refreshed (the `build` method is not called.). ### Code sample <details open><summary>Code sample</summary> ```dart import 'package:flutter/foundation.dart'; import 'package:flutter/material.dart'; import 'package:go_router/go_router.dart'; void main() { runApp(const MainApp()); } class MainApp extends StatelessWidget { const MainApp({super.key}); @override Widget build(BuildContext context) { return MaterialApp.router( routerConfig: _router, ); } } final _router = GoRouter( debugLogDiagnostics: true, initialLocation: '/', routes: [ GoRoute( path: '/', name: 'root', redirect: (context, state) { return '/home'; }, ), GoRoute( path: '/home', name: 'home', pageBuilder: (context, state) { return WebPage( title: 'Home', child: Home(), ); }, redirect: (context, state) { return '/home'; }, ), ], ); class Home extends StatefulWidget { // ignore: prefer_const_constructors_in_immutables Home() : super(key: const ValueKey('/home')); @override State<Home> createState() => _HomeState(); } class _HomeState extends State<Home> { @override Widget build(BuildContext context) { if (kDebugMode) { print('build $this'); } return Scaffold( body: Center( child: Column( mainAxisAlignment: MainAxisAlignment.center, children: [ Text(DateTime.now().toIso8601String()), const SizedBox(height: 20), ElevatedButton( onPressed: () { GoRouter.of(context).refresh(); }, child: const Text('Refresh route'), ), ], ), ), ); } } class WebPage extends CustomTransitionPage { WebPage({ super.key, required String title, super.maintainState, super.fullscreenDialog, super.name, super.arguments, super.restorationId, required Widget child, }) : super( child: WebScaffold( title: title, body: child, ), transitionsBuilder: (context, animation, _, child) { return FadeTransition( opacity: animation, child: child, ); }, ); } class WebScaffold extends StatefulWidget { const WebScaffold({super.key, required this.title, required this.body}); final Widget body; final String title; @override State<WebScaffold> createState() => _WebScaffoldState(); } class _WebScaffoldState extends State<WebScaffold> { @override Widget build(BuildContext context) { return Title( title: widget.title, color: Theme.of(context).colorScheme.primary, child: widget.body, ); } } ``` </details> ### Flutter Doctor output <details open><summary>Doctor output</summary> ```console [โˆš] Flutter (Channel stable, 3.24.3, on Microsoft Windows [Version 10.0.22631.4460], locale en-NL) โ€ข Flutter version 3.24.3 on channel stable at C:\data\flutter โ€ข Upstream repository https://github.com/flutter/flutter.git โ€ข Framework revision 2663184aa7 (3 months ago), 2024-09-11 16:27:48 -0500 โ€ข Engine revision 36335019a8 โ€ข Dart version 3.5.3 โ€ข DevTools version 2.37.3 [โˆš] Windows Version (Installed version of Windows is version 10 or higher) [โˆš] Android toolchain - develop for Android devices (Android SDK version 34.0.0) โ€ข Android SDK at C:\Users\at\AppData\Local\Android\sdk โ€ข Platform android-34, build-tools 34.0.0 โ€ข Java binary at: C:\Program Files\Android\Android Studio\jbr\bin\java โ€ข Java version OpenJDK Runtime Environment (build 17.0.9+0--11185874) โ€ข 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 2023.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 17.0.9+0--11185874) [โˆš] VS Code (version 1.95.3) โ€ข VS Code at C:\Users\at\AppData\Local\Programs\Microsoft VS Code โ€ข Flutter extension version 3.100.0 [โˆš] Connected device (3 available) โ€ข Windows (desktop) โ€ข windows โ€ข windows-x64 โ€ข Microsoft Windows [Version 10.0.22631.4460] โ€ข Chrome (web) โ€ข chrome โ€ข web-javascript โ€ข Google Chrome 131.0.6778.86 โ€ข Edge (web) โ€ข edge โ€ข web-javascript โ€ข Microsoft Edge 123.0.2420.65 ``` </details>
platform-web,package,has reproducible steps,p: go_router,team-web,found in release: 3.24,found in release: 3.27
low
Critical
2,711,641,195
next.js
Next middleware with ioredis error: [TypeError]: Cannot read properties of undefined (reading 'charCodeAt')
### Link to the code that reproduces this issue https://github.com/KUN1007/next-middleware-ioredis-error ### To Reproduce 1. Clone the code from [the repository](https://github.com/KUN1007/next-middleware-ioredis-error) and install dependencies. 2. Run `pnpm dev` and visit [http://localhost:3000](http://localhost:3000). This will trigger the error: <img width="736" alt="KUN_2024-12-02_19-27-33" src="https://github.com/user-attachments/assets/3c348b3c-10a0-4ee9-b661-ce734c0bec67"> ### Current vs. Expected behavior The normal access to http://localhost:3000 should not result in any errors, and the program should run properly. However, the program crashes with an error as soon as it sends a request. If the line `await setKv('kun', 'kun')` in auth.ts is commented out, the program works normally and displays `Hello, Next.js!` at the root page. ### Provide environment information ```bash Operating System: Platform: win32 Arch: x64 Version: Windows 10 Pro Available memory (MB): 16291 Available CPU cores: 16 Binaries: Node: 22.11.0 npm: 10.9.0 Yarn: N/A pnpm: 9.12.1 Relevant Packages: next: 15.0.3 // Latest available version is detected (15.0.3). eslint-config-next: N/A react: 18.3.1 react-dom: 18.3.1 typescript: 5.7.2 Next.js Config: output: N/A ``` ### Which area(s) are affected? (Select all that apply) Turbopack, TypeScript ### Which stage(s) are affected? (Select all that apply) next dev (local) ### Additional context I've already reviewed these issues, but the solutions mentioned there don't apply to my situation. https://github.com/vercel/next.js/discussions/54469 https://github.com/vercel/next.js/issues/58094 btw, the canary version also has this error.
bug,TypeScript
low
Critical
2,711,730,060
rust
`miri` is incorrectly built with jemalloc on some targets
<!-- Thank you for filing a bug report! ๐Ÿ› Please provide a short summary of the bug, along with any information you feel relevant to replicating the bug. --> I tried to run `cargo miri run` in (any) workspace on Asahi Linux (which has 16k page kernels) I expected to see this happen: The program runs under miri similarly to how rustc works Instead, this happened: ``` thread 'main' panicked at src/tools/miri/cargo-miri/src/phases.rs:103:9: failed to determine underlying rustc version of Miri (MIRI_BE_RUSTC="host" "/home/pitust/.rustup/toolchains/nightly-aarch64-unknown-linux-gnu/bin/miri"): CommandError { stdout: "", stderr: "<jemalloc>: Unsupported system page size\n<jemalloc>: Unsupported system page size\nterminate called without an active exception\n" } stack backtrace: 0: rust_begin_unwind at /rustc/5e1440ae514d98ddfcbf1607acb64d41e07ef616/library/std/src/panicking.rs:681:5 1: core::panicking::panic_fmt at /rustc/5e1440ae514d98ddfcbf1607acb64d41e07ef616/library/core/src/panicking.rs:75:14 2: cargo_miri::phases::phase_cargo_miri::<std::env::Args> 3: cargo_miri::main note: Some details are omitted, run with `RUST_BACKTRACE=full` for a verbose backtrace. ``` ### Meta <!-- If you're using the stable version of the compiler, you should also check if the bug also exists in the beta or nightly versions. --> `rustc --version --verbose`: ``` rustc 1.85.0-nightly (5e1440ae5 2024-12-01) binary: rustc commit-hash: 5e1440ae514d98ddfcbf1607acb64d41e07ef616 commit-date: 2024-12-01 host: aarch64-unknown-linux-gnu release: 1.85.0-nightly LLVM version: 19.1.4 ```
T-bootstrap,C-bug,A-miri,O-AArch64
low
Critical
2,711,748,281
flutter
[in_app_purchase_storekit] Add `AppStore.showManageSubscriptions()` for StoreKit2 wrapper
### Use case In my app, I would like to cancel subscriptions without a server. This method is essential for enabling users to cancel subscriptions directly within the app. According to the documentation: > Consider using the system-provided subscription-management UI. Using StoreKit APIs lets you present a consistent experience that helps people manage or cancel their subscriptions without leaving your app. For developer guidance, see [showManageSubscriptions(in:)](https://developer.apple.com/documentation/storekit/appstore/3803198-showmanagesubscriptions). For details, see: - [Helping people manage their subscriptions | In-app purchase | Apple Developer Documentation](https://developer.apple.com/design/human-interface-guidelines/in-app-purchase#Helping-people-manage-their-subscriptions) - [showManageSubscriptions(in:) | Apple Developer Documentation](https://developer.apple.com/documentation/storekit/appstore/3803198-showmanagesubscriptions) ### Proposal Add showManageSubscriptions() (Wrapper for StoreKit2's [`showManageSubscriptions()`](https://developer.apple.com/documentation/storekit/appstore/3803198-showmanagesubscriptions)) to [`AppStore`](https://pub.dev/documentation/in_app_purchase_storekit/latest/store_kit_2_wrappers/AppStore-class.html) class.
c: new feature,platform-ios,p: in_app_purchase,package,c: proposal,P2,team-ios,triaged-ios
low
Minor
2,711,760,467
go
cmd/go: `go mod tidy` leaves trailing empty lines in `require` blocks
### Go version go version go1.23.3 linux/arm64 ### Output of `go env` in your module/workspace: ```shell GO111MODULE='' GOARCH='arm64' GOBIN='' GOCACHE='/root/.cache/go-build' GOENV='/root/.config/go/env' GOEXE='' GOEXPERIMENT='' GOFLAGS='' GOHOSTARCH='arm64' GOHOSTOS='linux' GOINSECURE='' GOMODCACHE='/go/pkg/mod' GONOPROXY='' GONOSUMDB='' GOOS='linux' GOPATH='/go' GOPRIVATE='' GOPROXY='https://proxy.golang.org,direct' GOROOT='/usr/local/go' GOSUMDB='sum.golang.org' GOTMPDIR='' GOTOOLCHAIN='local' GOTOOLDIR='/usr/local/go/pkg/tool/linux_arm64' GOVCS='' GOVERSION='go1.23.3' GODEBUG='' GOTELEMETRY='local' GOTELEMETRYDIR='/root/.config/go/telemetry' GCCGO='gccgo' GOARM64='v8.0' AR='ar' CC='gcc' CXX='g++' CGO_ENABLED='1' GOMOD='/dev/null' GOWORK='' CGO_CFLAGS='-O2 -g' CGO_CPPFLAGS='' CGO_CXXFLAGS='-O2 -g' CGO_FFLAGS='-O2 -g' CGO_LDFLAGS='-O2 -g' PKG_CONFIG='pkg-config' GOGCCFLAGS='-fPIC -pthread -Wl,--no-gc-sections -fmessage-length=0 -ffile-prefix-map=/tmp/go-build2955114020=/tmp/go-build -gno-record-gcc-switches' ``` ### What did you do? Ran `go mod tidy` with a `go.mod` that contained a stray empty line in a `require` block ## Reproduction steps Create a minimal module with at least one dependency ```bash mkdir tidy && cd tidy cat > main.go <<'EOF' package main import ( "fmt" "golang.org/x/time/rate" ) var Foo = rate.Limit func main() { fmt.Println("hello") } EOF ``` Create a go.mod with trailing empty lines in the `require` section; ```bash cat > go.mod <<'EOF' module tidy go 1.23.0 require ( "golang.org/x/time" v0.8.0 ) EOF ``` Run `go mod tidy`; ```bash go mod tidy ``` Check the content of `go.mod`, and observe that an empty line is left behind in the `require` section; ```bash cat go.mod module tidy go 1.23.0 require ( golang.org/x/time v0.8.0 ) ``` ### What did you see happen? The empty line was kept even after running `go mod tidy` ### What did you expect to see? The empty line to be removed.
NeedsInvestigation,GoCommand
low
Critical
2,711,805,315
godot
c# solution ExportDebug generate files is deferent to default debug generate in editor
### Tested versions v4.4.dev4.mono.official [36e6207bb] ### System information Godot v4.4.dev4.mono - Windows 10.0.22631 - Multi-window, 1 monitor - Vulkan (Forward+) - dedicated NVIDIA GeForce RTX 3080 Laptop GPU (NVIDIA; 31.0.15.5222) - AMD Ryzen 9 5900HX with Radeon Graphics (16 threads) ### Issue description I use .csproj file to import .targets from "Flecs.Net.Native" of "Flecs.Net" project.(https://github.com/BeanCheeseBurrito/Flecs.NET) ![Image](https://github.com/user-attachments/assets/56f35eb5-7610-44c9-8d8f-7a60dba1a712) Click the run btn in editor will generate files likes: ![Image](https://github.com/user-attachments/assets/0054c079-7259-434e-bf85-aa5f27c9d5dd) But "Export Debug" will generate files likes: ![Image](https://github.com/user-attachments/assets/f0953caa-d01b-4d7c-bbdf-f1949d95781e) The dependency of project "flecs.dll" ,"libflecs.so" disappear. So When I export project for windows as well as android platform will emit "Dll not found" errorใ€‚ ### Steps to reproduce Look at desc ### Minimal reproduction project (MRP) [exportcsharptest.zip](https://github.com/user-attachments/files/17978058/exportcsharptest.zip)
topic:dotnet
low
Critical
2,711,833,291
rust
`cargo fix` produces incorrect code when removing last unused dependency next to `self as __` syntax
I encountered incorrect code being produced by `cargo fix` command. ### Code ```Rust mod bakery_module { pub struct Cheesecake; #[derive(Debug)] pub struct Cupcake; } use bakery_module::{self as moms_spaghetti, Cheesecake}; fn main() { dbg!(moms_spaghetti::Cupcake); } ``` https://play.rust-lang.org/?version=stable&mode=debug&edition=2021&gist=205e34f726214436ef250b91b4d025f2 ### Meta stable `rustc --version --verbose`: ``` rustc 1.83.0 (90b35a623 2024-11-26) binary: rustc commit-hash: 90b35a6239c3d8bdabc530a6a0816f7ff89a0aaf commit-date: 2024-11-26 host: aarch64-apple-darwin release: 1.83.0 LLVM version: 19.1.1 ``` nightly `rustc --version --verbose`: ``` rustc 1.85.0-nightly (5e1440ae5 2024-12-01) binary: rustc commit-hash: 5e1440ae514d98ddfcbf1607acb64d41e07ef616 commit-date: 2024-12-01 host: aarch64-apple-darwin release: 1.85.0-nightly LLVM version: 19.1.4 ``` ### Error output ``` warning: `test-field` (bin "test-field") generated 2 warnings (run `cargo fix --bin "test-field"` to apply 1 suggestion) warning: failed to automatically apply fixes suggested by rustc to crate `test_field` after fixes were automatically applied the compiler reported errors within these files: * src/main.rs <here I removed notice about making an issue into this repo> The following errors were reported: error[E0429]: `self` imports are only allowed within a { } list --> src/main.rs:8:18 | 8 | use bakery_module::self as moms_spaghetti; | ^^^^^^ | help: consider importing the module directly | 8 - use bakery_module::self as moms_spaghetti; 8 + use bakery_module as moms_spaghetti; | help: alternatively, use the multi-path `use` syntax to import `self` | 8 | use bakery_module::{self as moms_spaghetti}; | + + error: aborting due to 1 previous error For more information about this error, try `rustc --explain E0429`. Original diagnostics will follow. warning: `test-field` (bin "test-field" test) generated 2 warnings (2 duplicates) ``` <!-- Include a backtrace in the code block by setting `RUST_BACKTRACE=1` in your environment. E.g. `RUST_BACKTRACE=1 cargo build`. --> <details><summary><strong>Backtrace</strong></summary> <p> No backtrace </p> </details>
A-lints,T-compiler,C-bug,A-suggestion-diagnostics,D-invalid-suggestion,L-dead_code
low
Critical
2,711,849,019
PowerToys
No text showing
### Microsoft PowerToys version 0.86.0 ### Installation method GitHub ### Running as admin Yes ### Area(s) with issue? General ### Steps to reproduce Install Machine wide - x64 edition of version 0.86.0, then run as Administrator. I just need to sit and watch the magic unfold (i.e. no text showing up) Here are the screenshot and a bug report log included (taken not far apart in time): ![Image](https://github.com/user-attachments/assets/d0779534-33de-40a3-985e-33d2ec73d022) > [PowerToysReport_2024-12-02-19-07-26.zip](https://github.com/user-attachments/files/17977936/PowerToysReport_2024-12-02-19-07-26.zip) ### โœ”๏ธ Expected Behavior There **should be** text showing within PowerToys' settings and its quick settings. ### โŒ Actual Behavior There **are no** text showing up within PowerToys' settings nor its quick settings. ### Other Software There shouldn't be any conflict about other software, but that's because I haven't debugged this more in depth. However, I'll do when asked to do so.
Issue-Bug,Product-Settings,Needs-Triage
low
Critical
2,711,856,840
tensorflow
band width calculation support for ddr5
### Issue type Support ### Have you reproduced the bug with TensorFlow Nightly? No ### Source source ### TensorFlow version master ### Custom code Yes ### OS platform and distribution _No response_ ### Mobile device _No response_ ### Python version _No response_ ### Bazel version _No response_ ### GCC/compiler version _No response_ ### CUDA/cuDNN version _No response_ ### GPU model and memory _No response_ ### Current behavior? The bandwidth is calculated by the following code // 8 is the number of bits per byte. 2 is accounted for // double data rate (DDR). device.set_bandwidth(properties.memoryBusWidth / 8 * properties.memoryClockRate * 2ULL); https://github.com/tensorflow/tensorflow/blob/master/tensorflow/core/grappler/clusters/utils.cc#L132 Similar code also exists in XLA๏ผš if (mem_clock_khz && mem_bus_width_bits) { // Times 2 because HBM is DDR memory; it gets two data bits per each // data lane. auto memory_bandwidth = uint64_t{2} * (*mem_clock_khz) * 1000 * (*mem_bus_width_bits) / 8; device_plane->AddStatValue( *device_plane->GetOrCreateStatMetadata( GetStatTypeStr(StatType::kDevCapMemoryBandwidth)), memory_bandwidth); } https://github.com/openxla/xla/blob/main/xla/backends/profiler/gpu/cupti_collector.cc#L433 https://github.com/openxla/xla/blob/main/xla/backends/profiler/gpu//rocm_collector.cc#L531 but for DDR5 should times 4, Is there any way to distinguish it and fix it? ### Standalone code to reproduce the issue ```shell // 8 is the number of bits per byte. 2 is accounted for // double data rate (DDR). device.set_bandwidth(properties.memoryBusWidth / 8 * properties.memoryClockRate * 2ULL); to // 8 is the number of bits per byte. 2 is accounted for // double data rate (DDR). device.set_bandwidth(properties.memoryBusWidth / 8 * properties.memoryClockRate * 4ULL); for ddr5 ``` ### Relevant log output _No response_
stat:awaiting tensorflower,type:support,comp:grappler
low
Critical
2,711,875,294
flutter
`flutter run` doesn't display `print()` messages on web in profile/release mode
`flutter run` normally prints all messages the application prints using the`print(<...>)` function. This works on the VM-based devices just fine in all modes. Though on the web it seems to only work in debug mode but not in profile/release mode (i.e. `flutter run -d chrome --release/--profile` doesn't forward print messages). (Side-Note: In debug mode on web (i.e. `flutter run -d chrome --debug`) there prints are generally printed but at the very start of the app they are sometimes dropped. It seems there's a race from the flutter tools connecting to the browser to start capturing the output and the app already running)
tool,platform-web,has reproducible steps,P3,team-web,triaged-web,found in release: 3.24,found in release: 3.27
low
Critical
2,711,902,562
transformers
Enable Quantize KV Cache for Mistral Model
### Feature request Enable Quantize KV Cache for Mistral Model, as described in #30483. ### Motivation KV cache quantization has emerged as a crucial optimization, particularly in high-throughput, multi-user scenarios, where efficiency is paramount. Hugging Face currently leads in supporting quantization across a wide range of models (thanks to the effort of @zucchini-nlp), the widely used Mistral model remains unsupported. This gap presents an opportunity to extend quantization support to Mistral, addressing a significant need in the community. In addition to this change, I am also interested in enabling kv cache quantization for more models, such as Qwen and Phi. Understanding the detailed requirements and best practices for these types of contributions would be incredibly helpful. ### Your contribution I am interested in submitting a pull request but am uncertain about the best way to verify that the behavior aligns with expectations. In short, I tried to make a modification by naively adding the `_supports_quantized=True` flag to the `MistralPreTrainedModel` class [around here](https://github.com/huggingface/transformers/blob/c24c79ebf91f6f04faf287997848ed6e64d78899/src/transformers/models/mistral/modeling_mistral.py#L587): https://github.com/huggingface/transformers/blob/c24c79ebf91f6f04faf287997848ed6e64d78899/src/transformers/models/mistral/modeling_mistral.py#L587 When testing this change informally, it seemed to work as intended, producing slightly different (but still coherent) outputs compared to full precision at zero temperature, which I believe is expected. I want to ensure that any modifications I make meet the expected standards and don't inadvertently cause issues. If my informal testing is sufficient for this case, I am happy to proceed with submitting the PR. If more rigorous validation is needed, any guidance or resources would be appreciated.
Feature request
low
Minor
2,711,933,320
ollama
tool parsing issues with "'"
### What is the issue? difficult to see in the title: ' is the problem. when i ask my ai to "execute a python example" it generates something like "print('...')" but truncates at the 1st ': "model": "llama3.1:8b-instruct-fp16", "created_at": "2024-12-02T13:26:55.1045197Z", "message": { "role": "assistant", "content": "", "tool_calls": [ { "function": { "name": "execute_python", "arguments": { "code": "print(" } } } ] }, "done_reason": "stop", "done": true, "total_duration": 574508000, "load_duration": 10134500, "prompt_eval_count": 1371, "prompt_eval_duration": 3000000, "eval_count": 18, "eval_duration": 559000000 ### OS _No response_ ### GPU _No response_ ### CPU _No response_ ### Ollama version _No response_
bug
low
Minor
2,711,979,048
PowerToys
Something went wrong.
### Microsoft PowerToys version 0.86.0.0 ### Installation method WinGet ### Running as admin Yes ### Area(s) with issue? General ### Steps to reproduce Version: 0.86.0.0 OS Version: Microsoft Windows NT 10.0.26120.0 IntPtr Length: 8 x64: True Date: 2/12/2024 8:32:42 Exception: System.OutOfMemoryException: Exception of type 'System.OutOfMemoryException' was thrown. at System.Threading.TimerQueue.System.Threading.IThreadPoolWorkItem.Execute() at System.Threading.ThreadPoolWorkQueue.Dispatch() at System.Threading.PortableThreadPool.WorkerThread.WorkerThreadStart() ### โœ”๏ธ Expected Behavior Version: 0.86.0.0 OS Version: Microsoft Windows NT 10.0.26120.0 IntPtr Length: 8 x64: True Date: 2/12/2024 8:32:42 Exception: System.OutOfMemoryException: Exception of type 'System.OutOfMemoryException' was thrown. at System.Threading.TimerQueue.System.Threading.IThreadPoolWorkItem.Execute() at System.Threading.ThreadPoolWorkQueue.Dispatch() at System.Threading.PortableThreadPool.WorkerThread.WorkerThreadStart() ### โŒ Actual Behavior Version: 0.86.0.0 OS Version: Microsoft Windows NT 10.0.26120.0 IntPtr Length: 8 x64: True Date: 2/12/2024 8:32:42 Exception: System.OutOfMemoryException: Exception of type 'System.OutOfMemoryException' was thrown. at System.Threading.TimerQueue.System.Threading.IThreadPoolWorkItem.Execute() at System.Threading.ThreadPoolWorkQueue.Dispatch() at System.Threading.PortableThreadPool.WorkerThread.WorkerThreadStart() ### Other Software _No response_
Issue-Bug,Product-PowerToys Run,Needs-Triage
low
Minor
2,712,008,440
vscode
Source Control Graph: support move the view panel to editor
The current Source Control Graph view is in the sidebar, it is limited in size, and the default size is small, it lacks some practicality. I know it's to keep a consistent layout and interaction, but it would be more practical as a separate editor (tab). Like [Git Graph](https://marketplace.visualstudio.com/items?itemName=mhutchie.git-graph) does: ![Image](https://github.com/user-attachments/assets/ab35c673-1878-43ac-891e-4ac06873d81a)
feature-request,scm,under-discussion
low
Major
2,712,015,256
next.js
Link prefetch doesn't work for the initial page user lands
### Link to the code that reproduces this issue https://codesandbox.io/p/devbox/dazzling-margulis-zmc54v ### To Reproduce 1. Start the application `pnpm run build && pnpm run start` 2. Navigate to `/product/3` page and refresh so it's the initial landed page 3. Navigate to other pages using the links 4. Navigate to `Product 3` page using the link 5. Notice that all links except `Product 3` is prefetched and displayed instantly while `Product 3` page is not. ### Current vs. Expected behavior ## Current behaviour The initial page user lands won't load instantly on later navigations with `prefetch={true}` on Links. Example: when landing on `product/3` page first and then trying to navigate back to `product/3` later is very slow, however all other links work perfectly https://github.com/user-attachments/assets/30fa51fa-e3d4-412b-a247-9b9f77bf54ad ## Expected behaviour When user clicks on `Product 3` link, page should show up immediately like the other links ### Provide environment information ```bash Operating System: Platform: linux Arch: x64 Version: #1 SMP PREEMPT_DYNAMIC Sun Aug 6 20:05:33 UTC 2023 Available memory (MB): 4102 Available CPU cores: 2 Binaries: Node: 20.9.0 npm: 9.8.1 Yarn: 1.22.19 pnpm: 8.10.2 Relevant Packages: next: 15.0.4-canary.34 // Latest available version is detected (15.0.4-canary.34). eslint-config-next: N/A react: 19.0.0-rc-b01722d5-20241114 react-dom: 19.0.0-rc-b01722d5-20241114 typescript: 5.3.3 Next.js Config: output: N/A ``` ### Which area(s) are affected? (Select all that apply) Not sure ### Which stage(s) are affected? (Select all that apply) next start (local), Vercel (Deployed) ### Additional context It can be reproduced both by running locally or deploying on Vercel. Issue is also reproducible on https://github.com/vercel/commerce repo, live on https://demo.vercel.store/ which [uses RC1](https://github.com/vercel/commerce/blob/main/package.json#L20)
bug
low
Major
2,712,026,236
flutter
[Android] After enabling autofillHints, the keyboard automatically hide after entering the first letter
### Steps to reproduce run this code on a physical Android device (with autofill data populated), then input a letter. ### Expected results Do not auto-hide keyboard ### Actual results the keyboard auto hide ### Code sample ```dart import 'package:flutter/material.dart'; void main(List<String> args) { runApp( MaterialApp( home: Scaffold( body: Center( child: TextField( autofillHints: [AutofillHints.name], ), ), ), ), ); } ``` ### Screenshots or Video _No response_ ### Logs _No response_ ### Flutter Doctor output <details open><summary>Doctor output</summary> ```console Doctor summary (to see all details, run flutter doctor -v): [โœ“] Flutter (Channel stable, 3.19.6, on macOS 15.1.1 24B91 darwin-arm64, locale zh-Hans-CN) [โœ“] Android toolchain - develop for Android devices (Android SDK version 34.0.0) [โœ“] Xcode - develop for iOS and macOS (Xcode 15.4) [โœ“] Chrome - develop for the web [โœ“] Android Studio (version 2023.1) [โœ“] VS Code (version 1.95.3) [โœ“] Connected device (4 available) [โœ“] Network resources โ€ข No issues found! ``` </details>
a: text input,platform-android,framework,f: material design,a: internationalization,has reproducible steps,P2,team-text-input,triaged-text-input,found in release: 3.24,found in release: 3.27
low
Major
2,712,037,146
angular
docs: search on v18 shows results from next
### Describe the problem that you experienced Searching on https://v18.angular.dev/ shows results that are available on `next` but not in the current documentation and clicking the result doesn't do anything. ### Enter the URL of the topic with the problem https://v18.angular.dev/ ### Describe what you were looking for in the documentation strictStandalone ### Describe the actions that led you to experience the problem 1. Go to https://v18.angular.dev/ 2. Click the search icon on the left menu. 3. Search for 'strictStandalone' 4. Result comes up but it's not available in v18 documentation. ![Image](https://github.com/user-attachments/assets/72163c21-5582-4ab2-b1c2-e8ce7bfb00e2)
area: docs-infra
low
Minor
2,712,060,998
next.js
Static export with a specified basePath causes request mismatch for RSC payload .txt file
### Link to the code that reproduces this issue https://github.com/yukiyokotani/next-static-export-404-reproduce ### To Reproduce 1. The code in the linked repository is deployed in the following github pages with static export. - https://yukiyokotani.github.io/next-static-export-404-reproduce/ 2. This site only has a link to the root path: `/`. If you look at the network tab in the developer tools, you will see that the RSC Payload request corresponding to the root path is 404. ### Current vs. Expected behavior Current: - A request for the RSC Payload corresponding to the root path is being made to https://yukiyokotani.github.io/next-static-export-404-reproduce.txt?_rsc=3eatq. Expected: - The request for the RSC Payload corresponding to the root path should be made to https://yukiyokotani.github.io/next-static-export-404-reproduce/index.txt?_rsc=3eatq. This is because the static export outputs the RSC payload .txt file as `index.txt` and not a file like `next-static-export-404-reproduce.txt`. ### Provide environment information ```bash Operating System: Platform: darwin Arch: arm64 Version: Darwin Kernel Version 23.6.0: Mon Jul 29 21:16:46 PDT 2024; root:xnu-10063.141.2~1/RELEASE_ARM64_T8112 Available memory (MB): 16384 Available CPU cores: 8 Binaries: Node: 22.2.0 npm: 10.8.1 Yarn: 3.2.4 pnpm: 9.4.0 Relevant Packages: next: 14.2.18 // An outdated version detected (latest is 15.0.3), upgrade is highly recommended! eslint-config-next: 14.2.18 react: 18.3.1 react-dom: 18.3.1 typescript: 5.7.2 Next.js Config: output: export ``` ### Which area(s) are affected? (Select all that apply) Output (export/standalone) ### Which stage(s) are affected? (Select all that apply) next build (local), Other (Deployed) ### Additional context In the code output generated by Static Export, the request path for the RSC Payload `.txt` files is constructed by appending `.txt` to the page path if the path ends with `'/'`, and by appending `index.txt` otherwise. When `basePath` is set and `trailingSlash` is disabled (default settings), the root path `'/'` is treated as `''`, and according to the mentioned logic, the RSC Payload `.txt` file path becomes `{basePath}.txt`. However, the RSC Payload `.txt` file corresponding to `'/'` in the Static Export output is always `index.txt`. As a result, when trying to access `{basePath}.txt`, which should be `{basePath}/index.txt`, a 404 error occurs.
bug,Output (export/standalone)
low
Critical
2,712,080,631
flutter
[Web] Composing Japanese letters disappear when shifting converting area
### Steps to reproduce 1. launch an app with `TextField` on web platform 2. type some letters in Hiragana, Japanese. 3. before committing (by hitting the Enter key), hit the Space key to convert them to Kanji. 4. press Shift and hit the left arrow key twice 5. composing Hiragana letters disappear ### Expected results The composing Hiragana letters don't disappear, and the composing area would shift respecting the arrow key hit. ### Actual results All the composing Hiragana letters disappear. ### Code sample <details open><summary>Code sample</summary> ```dart void main() => runApp(const MainApp()); class MainApp extends StatelessWidget { const MainApp({super.key}); @override Widget build(BuildContext context) { return MaterialApp( home: Scaffold( body: Padding( padding: const EdgeInsets.all(32), child: Container( width: double.infinity, color: Colors.white, child: const Padding( padding: EdgeInsets.all(16), child: TextField(), ), ), ), ), ); } } ``` </details> ### Screenshots or Video <details open> <summary>Screenshots / Video demonstration</summary> https://github.com/user-attachments/assets/50f5c200-8e3d-4ff1-9457-3c08224d8be6 </details> ### Logs <details open><summary>Logs</summary> ```console [Paste your logs here] ``` </details> ### Flutter Doctor output <details open><summary>Doctor output</summary> ```console $ fvm flutter doctor Doctor summary (to see all details, run flutter doctor -v): [โœ“] Flutter (Channel stable, 3.24.5, on macOS 14.3.1 23D60 darwin-arm64, locale ja-JP) [โœ“] Android toolchain - develop for Android devices (Android SDK version 34.0.0) [โœ“] Xcode - develop for iOS and macOS (Xcode 15.4) [โœ“] Chrome - develop for the web [โœ“] Android Studio (version 2022.3) [โœ“] Android Studio (version 2022.2) [โœ“] VS Code (version 1.94.2) [โœ“] VS Code (version 1.61.2) [โœ“] Connected device (4 available) [โœ“] Network resources โ€ข No issues found! ``` </details>
a: text input,a: internationalization,platform-web,has reproducible steps,P2,team-text-input,triaged-text-input,found in release: 3.24,found in release: 3.27
low
Major
2,712,085,439
pytorch
Use Python 3.9 type annotations
### ๐Ÿš€ The feature, motivation and pitch Now that pytorch has moved to Python 3.9, we can use the more concise Python 3.9 annotations. Before: ``` from typing import List, Dict, Optional, Set, Union a: Optional[str] = None b: List[Dict[Set[int]] = [] c: Optional[Union[int, str, float]] = None ``` After ``` a: str | None = None b: list[dict[set[int]] = [] c: int | str | float | None = None ``` This can be done automatically with the `pyupgrade` tool, and then checked with `ruff` (so we don't have to add a dependency on `pyupgrade`). - [ ] https://github.com/pytorch/pytorch/pull/141870 - [x] https://github.com/pytorch/pytorch/pull/141871 - [ ] https://github.com/pytorch/pytorch/pull/141872 - [ ] https://github.com/pytorch/pytorch/pull/141873 - [ ] https://github.com/pytorch/pytorch/pull/141874 ### Alternatives Doing nothing. cc @ezyang @malfet @xuzhao9 @gramster
module: typing,triaged,better-engineering
low
Major
2,712,100,375
go
time: Incorrect zonebounds on location based on POSIX TZ string
### Go version go version go1.23.3 linux/amd64 ### Output of `go env` in your module/workspace: ```shell GO111MODULE='on' GOARCH='amd64' GOBIN='/home/wouter/go/bin/' GOCACHE='/home/wouter/.cache/go-build' GOENV='/home/wouter/.config/go/env' GOEXE='' GOEXPERIMENT='' GOFLAGS='' GOHOSTARCH='amd64' GOHOSTOS='linux' GOINSECURE='' GOMODCACHE='/home/wouter/go/pkg/mod' GONOPROXY='gitlab.figonet.nl' GONOSUMDB='gitlab.figonet.nl' GOOS='linux' GOPATH='/home/wouter/go' GOPRIVATE='gitlab.figonet.nl' GOPROXY='https://proxy.golang.org,direct' GOROOT='/usr/lib64/golang' GOSUMDB='sum.golang.org' GOTMPDIR='' GOTOOLCHAIN='local' GOTOOLDIR='/usr/lib64/golang/pkg/tool/linux_amd64' GOVCS='' GOVERSION='go1.23.3' GODEBUG='' GOTELEMETRY='local' GOTELEMETRYDIR='/home/wouter/.config/go/telemetry' GCCGO='gccgo' GOAMD64='v1' AR='ar' CC='x86_64-solus-linux-gcc' CXX='x86_64-solus-linux-g++' CGO_ENABLED='1' GOMOD='/home/wouter/Development/modules/sw_bca/go.mod' GOWORK='' CGO_CFLAGS='-O2 -g' CGO_CPPFLAGS='' CGO_CXXFLAGS='-O2 -g' CGO_FFLAGS='-O2 -g' CGO_LDFLAGS='-O2 -g' PKG_CONFIG='pkg-config' GOGCCFLAGS='-fPIC -m64 -pthread -Wl,--no-gc-sections -fmessage-length=0 -ffile-prefix-map=/tmp/go-build2766243939=/tmp/go-build -gno-record-gcc-switches' ``` ### What did you do? My goal was to check if a posix tz string has the same time zone transitions as a given `time.Location`. Via an empty Time zone information format string I loaded a Posix timezone string as location: https://go.dev/play/p/iRKJ1idPNz6. Using the loaded location I call `ZoneBounds()`. ### What did you see happen? As from the go.dev/play example: it returns the end of DST and the end of the year. ### What did you expect to see? I expected to see get the end of DST and the start of the DST in the next year. ### Debugging I dug through the time library and found [this comment](https://cs.opensource.google/go/go/+/refs/tags/go1.23.3:src/time/zoneinfo.go;l=356-359): ```golang // The start and end values that we return are accurate // close to a daylight savings transition, but are otherwise // just the start and end of the year. That suffices for // the only caller that cares, which is Date. ``` This comment predates the addition of the `ZoneBounds` method. Which is now a second caller that cares.
NeedsInvestigation
low
Critical
2,712,336,035
kubernetes
kubelet: PodRejectionStatus Kubelet should reject pod when the node didn't have enough resource test error
### What happened? https://github.com/kubernetes/kubernetes/pull/128403 merged to move PodRejectionStatus into e2e/node from e2e/common/node. In certain cases this test fails because the test is comparing the entire status object. The test needs to be changed to validate the fields we care about. ``` Expected <v1.PodStatus>: conditions: - lastProbeTime: null lastTransitionTime: "2024-11-29T14:10:06Z" status: "False" type: PodReadyToStartContainers - lastProbeTime: null lastTransitionTime: "2024-11-29T14:10:06Z" status: "True" type: Initialized - lastProbeTime: null lastTransitionTime: "2024-11-29T14:10:06Z" reason: PodFailed status: "False" type: Ready - lastProbeTime: null lastTransitionTime: "2024-11-29T14:10:06Z" reason: PodFailed status: "False" type: ContainersReady - lastProbeTime: null lastTransitionTime: "2024-11-29T14:10:06Z" status: "True" type: PodScheduled containerStatuses: - image: registry.k8s.io/pause:3.10 imageID: "" lastState: {} name: pod-out-of-cpu ready: false restartCount: 0 started: false state: waiting: reason: ContainerCreating volumeMounts: - mountPath: /var/run/secrets/kubernetes.io/serviceaccount name: kube-api-access-4dd6q readOnly: true recursiveReadOnly: Disabled hostIP: 10.0.128.3 hostIPs: - ip: 10.0.128.3 message: 'Pod was rejected: Node didn''t have enough resource: cpu, requested: 1000000000000000, used: 491, capacity: 3500' phase: Failed qosClass: Burstable reason: OutOfcpu startTime: "2024-11-29T14:10:06Z" to equal <v1.PodStatus>: message: 'Pod was rejected: Node didn''t have enough resource: cpu, requested: 1000000000000000, used: 491, capacity: 3500' phase: Failed qosClass: Burstable reason: OutOfcpu startTime: "2024-11-29T14:10:06Z" ``` ### What did you expect to happen? Expect the test case to run successfully. ### How can we reproduce it (as minimally and precisely as possible)? See reproduced output. ### Anything else we need to know? _No response_ ### Kubernetes version <details> 1.31+ </details> ### Cloud provider <details> N/A </details> ### OS version <details> Linux </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,712,351,468
go
go/types: add Info.ImplicitConversions mapping
**Background:** One of the many tricky subtasks of the type checker is to compute the conversions implicitly applied to an expression that is used on the right-hand side of an assignment (or passed as an argument, etc), arithmetic, and shifts. This information is hard to compute and useful to clients. Our refactoring tools have needed this information on several occasions. For example: - The [golang.org/x/tools/refactor/satisfy](https://pkg.go.dev/golang.org/x/tools/refactor/satisfy) package tries to find all conversions to an interface type by reimplementing the logic from the type checker. This is necessary so that the renaming tool can detect when a method renaming would cause a type to no longer implement an interface that is necessary for compilation to succeed. - The [inliner](https://cs.opensource.google/go/x/tools/+/master:internal/refactor/inline/inline.go;l=3180?q=inline&ss=go%2Fx%2Ftools) needs to know about implicit conversions in several places. For instance, it needs to know, in a call `f(x)` to `func f(y Y) { g(y) }`, whether it is safe to elide the implicit conversion `Y(x)`, and this depends on both the implicit conversion from x to Y and on the implicit conversion from y to g's parameter type. Ascertaining that x and y are both subject to implicit conversions in general requires logic of many cases (duplicating the type checker), and is further complicated by the [loss of untyped type information when x is a constant](https://github.com/golang/go/issues/63193). **Proposal:** We add a new field to `types.Info` to record all implicit conversions. ```go package types type Info struct { // ImplicitConversions records, for an expression appearing in (say) an assignment // context, any implicit conversion applied to it. ImplicitConversions map[ast.Expr]ImplicitConversion } type ImplicitConversion struct { // From records the original type of the expression, and To records the type of the "hole". // (For historical reasons [1], 'from' is not necessarily the same as the type recorded // Info.Types for the expression: the latter includes untyped-to-typed conversions.) From, To types.Type } ``` [1] [historical reasons](https://cs.opensource.google/go/x/tools/+/master:internal/refactor/inline/inline.go;l=1529;drc=bfcbc1b5aac19a5e4259a4759e2c5e5b9b394fd4) Related: - https://github.com/golang/go/issues/8970: essentially the same idea, from 10 years ago - https://github.com/golang/go/issues/47151: the current issue is essentially a dup of "idea 1" in the earlier issue. @mdempsky makes a good point about tuples. @findleyr @timothy-king @griesemer
Proposal,Proposal-Accepted
medium
Major
2,712,408,757
flutter
Unexpected autofill behavior in Safari
### Steps to reproduce Run an app in Safari 1. Use a field with credit card autofill enabled, confirm autofill with touch id 2. Find any other field (in the provided example you can tap the button to switch the content) 3. Enter something in the other field, then delete it ### Expected results There are no autofill prompts in the second field, where autofill isn't setup or `autofillHints` is set to `null`. ### Actual results Autofill proposes credit card data for the second field. ### Code sample <details open><summary>Code sample</summary> ```dart import 'package:flutter/material.dart'; void main() { runApp(const MyApp()); } class MyApp extends StatelessWidget { const MyApp({super.key}); @override Widget build(BuildContext context) { return MaterialApp( title: 'Flutter Demo', theme: ThemeData( colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple), useMaterial3: true, ), home: const MyHomePage(title: 'Flutter Demo Home Page'), ); } } class MyHomePage extends StatefulWidget { const MyHomePage({super.key, required this.title}); final String title; @override State<MyHomePage> createState() => _MyHomePageState(); } class _MyHomePageState extends State<MyHomePage> { bool _showCardField = true; @override Widget build(BuildContext context) { return Scaffold( appBar: AppBar( backgroundColor: Theme.of(context).colorScheme.inversePrimary, title: Text(widget.title), ), body: Padding( padding: const EdgeInsets.all(16), child: Column( mainAxisAlignment: MainAxisAlignment.center, children: <Widget>[ _showCardField ? const AutofillGroup( child: TextField( decoration: InputDecoration( hintText: 'Credit card number', ), autofillHints: [AutofillHints.creditCardNumber], ), ) : const TextField( decoration: InputDecoration( hintText: 'Random field', ), autofillHints: null, ), const SizedBox(height: 20), ElevatedButton( onPressed: () => setState(() => _showCardField = !_showCardField), child: const Text('Switch'), ) ], ), ), ); } } ``` </details> ### Screenshots or Video <details open> <summary>Screenshots / Video demonstration</summary> https://github.com/user-attachments/assets/fd9a355a-767d-4d5c-b11d-c708e6f5b605 </details> ### Flutter Doctor output <details open><summary>Doctor output</summary> ```console Doctor summary (to see all details, run flutter doctor -v): [โœ“] Flutter (Channel stable, 3.24.5, on macOS 15.0 24A335 darwin-arm64, locale ru-RU) [โœ“] Android toolchain - develop for Android devices (Android SDK version 34.0.0) [โœ“] Xcode - develop for iOS and macOS (Xcode 16.0) [โœ“] Chrome - develop for the web [!] Android Studio (version unknown) โœ— Unable to determine Android Studio version. โœ— Unable to find bundled Java version. [โœ“] Android Studio (version 2022.3) [โœ“] IntelliJ IDEA Community Edition (version 2023.1) [โœ“] VS Code (version 1.94.2) [โœ“] Connected device (4 available) [โœ“] Network resources ! Doctor found issues in 1 category. ``` </details>
a: text input,platform-web,has reproducible steps,browser: safari-macos,P2,team-web,triaged-web,found in release: 3.24,found in release: 3.27
low
Minor
2,712,419,005
tauri
[bug] Setting function on action prop for TrayIcon generates TypeError
### Describe the bug **Update: When doing a full restart of the app on the rust layer, the error is gone. If you just refresh/livereload the frontend the error persists.** When setting up a TrayIcon on the javascript layer, specifying the action parameter will generate TypeErrors _when hovering over the tray icon_. When the action parameter is not defined, the hover action does not generate any errors. `TypeError: window['_' + 2024383255] is not a function. (In 'window['_' + 2024383255]({ message: response, id: 131 })', 'window['_' + 2024383255]' is undefined) (anonymous function) โ€” localhost:1:163` ```javascript const { TrayIcon } = window.__TAURI__.tray; const { resolveResource } = window.__TAURI__.path; export const CreateTray = effect(async (dispatch, props) => { const icon = await resolveResource("assets/email.png"); const tray = await TrayIcon.new({ icon, action: () => { console.log("whatup?"); }, }); }); ``` ### Reproduction - Import the TrayIcon package on the javascript layer - Init a new TrayIcon specifying the action parameter - See the errors in the console of the developer tools ### Expected behavior See a message "whatup?" in the console of the dev tools ### Full `tauri info` output ```text [โœ”] Environment - OS: Mac OS 15.1.1 arm64 (X64) โœ” Xcode Command Line Tools: installed โœ” rustc: 1.81.0 (eeb90cda1 2024-09-04) โœ” cargo: 1.81.0 (2dbb1af80 2024-08-20) โœ” rustup: 1.27.1 (54dd3d00f 2024-04-24) โœ” Rust toolchain: stable-aarch64-apple-darwin (default) - node: 20.12.2 - yarn: 1.22.19 - npm: 10.5.0 [-] Packages - tauri ๐Ÿฆ€: 2.0.4 - tauri-build ๐Ÿฆ€: 2.0.1 - wry ๐Ÿฆ€: 0.46.1 - tao ๐Ÿฆ€: 0.30.3 - @tauri-apps/api ๎œ˜: 2.1.1 - @tauri-apps/cli ๎œ˜: 2.0.3 (outdated, latest: 2.1.0) [-] Plugins - tauri-plugin-single-instance ๐Ÿฆ€: 2.0.1 - @tauri-apps/plugin-single-instance ๎œ˜: not installed! - tauri-plugin-deep-link ๐Ÿฆ€: 2.0.1 - @tauri-apps/plugin-deep-link ๎œ˜: 2.0.0 (outdated, latest: 2.0.1) - tauri-plugin-stronghold ๐Ÿฆ€: 2.0.1 - @tauri-apps/plugin-stronghold ๎œ˜: 2.0.0 - tauri-plugin-shell ๐Ÿฆ€: 2.0.1 - @tauri-apps/plugin-shell ๎œ˜: not installed! [-] App - build-type: bundle - CSP: unset - frontendDist: ../dist - devUrl: http://localhost:5173/ - bundler: Rollup ``` ### Stack trace _No response_ ### Additional context _No response_
type: bug,status: needs triage
low
Critical
2,712,420,857
PowerToys
Warnings should be treated as errors in CI
### Description of the new feature / enhancement Currently, the repo builds with many warnings. These should be fixed and warnings should be treated as errors in CI
Area-Quality,Area-Build,Needs-Triage
low
Critical
2,712,463,662
go
x/net: Failure to send IPv4 UDP packet on ipv6 socket with ControlMessage
### Go version go version go1.23.2 (Red Hat 1.23.2-1.el9) linux/amd64 ### Output of `go env` in your module/workspace: ```shell GO111MODULE='' GOARCH='amd64' GOBIN='' GOCACHE='~/.cache/go-build' GOENV='~/.config/go/env' GOEXE='' GOEXPERIMENT='' GOFLAGS='' GOHOSTARCH='amd64' GOHOSTOS='linux' GOINSECURE='' GOMODCACHE='~/go/pkg/mod' GONOPROXY='' GONOSUMDB='' GOOS='linux' GOPATH='~/go' GOPRIVATE='' GOPROXY='https://proxy.golang.org,direct' GOROOT='/usr/lib/golang' GOSUMDB='sum.golang.org' GOTMPDIR='' GOTOOLCHAIN='local' GOTOOLDIR='/usr/lib/golang/pkg/tool/linux_amd64' GOVCS='' GOVERSION='go1.23.2 (Red Hat 1.23.2-1.el9)' GODEBUG='' GOTELEMETRY='local' GOTELEMETRYDIR='~/.config/go/telemetry' GCCGO='/bin/gccgo' GOAMD64='v2' AR='ar' CC='gcc' CXX='g++' CGO_ENABLED='1' GOMOD='~/temp/test/go.mod' GOWORK='' CGO_CFLAGS='-O2 -g' CGO_CPPFLAGS='' CGO_CXXFLAGS='-O2 -g' CGO_FFLAGS='-O2 -g' CGO_LDFLAGS='-O2 -g' PKG_CONFIG='pkg-config' GOGCCFLAGS='-fPIC -m64 -pthread -Wl,--no-gc-sections -fmessage-length=0 -ffile-prefix-map=/tmp/go-build2023383051=/tmp/go-build -gno-record-gcc-switches' ``` ### What did you do? The following program successfully receives and sends traffic on both IPv4 and IPv6: ``` package main import ( "fmt" "golang.org/x/net/ipv6" "net" ) func main() { listenSocket, err := net.ListenPacket("udp", ":12345") wrapped := ipv6.NewPacketConn(listenSocket) wrapped.SetControlMessage(ipv6.FlagDst, false) data := make([]byte, 65535) n, cm, remote, err := wrapped.ReadFrom(data) fmt.Printf("Bytes read %d\n", n) fmt.Printf("ReadFrom: %T %+v %+v\n", remote, remote, cm) n, err = wrapped.WriteTo(data[:n], cm, remote) fmt.Printf("Bytes write %d\n", n) if err != nil { fmt.Printf("WriteTo: %+v\n", err) } } ``` Output when receiving traffic on 127.0.0.1: ``` Bytes read 4 ReadFrom: *net.UDPAddr 127.0.0.1:57398 <nil> Bytes write 4 ``` Output when receiving traffic on ::1: ``` Bytes read 4 ReadFrom: *net.UDPAddr [::1]:48275 <nil> Bytes write 4 ``` When changing `false` to `true` in the `SetControlMessage()` call, the program still works on IPv6, but fails on IPv4. Output when receiving traffic on 127.0.0.1: ``` Bytes read 4 ReadFrom: *net.UDPAddr 127.0.0.1:59701 tclass=0x0 hoplim=0 src=<nil> dst=127.0.0.1 ifindex=1 nexthop=<nil> mtu=0 Bytes write 0 WriteTo: write udp [::]:12345->127.0.0.1:59701: sendmsg: invalid argument ``` Output when receiving traffic on ::1: ``` Bytes read 4 ReadFrom: *net.UDPAddr [::1]:49933 tclass=0x0 hoplim=0 src=::1 dst=::1 ifindex=1 nexthop=<nil> mtu=0 Bytes write 4 ``` ### What did you see happen? Error when sending traffic to an IPv4 address when `ControlMessage` is used. This is likely because of a confusion in the system call, where the destination address is an IPv4 struct, while the socket options are an IPv6 struct. The fact that the destination address was originally received on an IPv6 socket, and should be passed back into the system as such gets lost. Example system call capture of a failed IPv4 send: ``` [pid 48372] recvmsg(3, {msg_name={sa_family=AF_INET6, sin6_port=htons(49970), sin6_flowinfo=htonl(0), inet_pton(AF_INET6, "::ffff:127.0.0.1", &sin6_addr), sin6_scope_id=0}, msg_namelen=112 => 28, msg_iov=[{iov_base="foo\n", iov_len=65535}], msg_iovlen=1, msg_control=[{cmsg_len=36, cmsg_level=SOL_IPV6, cmsg_type=0x32, cmsg_data="\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xff\xff\x7f\x00\x00\x01\x01\x00\x00\x00"}], msg_controllen=40, msg_flags=0}, 0) = 4 [pid 48372] getsockopt(3, SOL_SOCKET, SO_PROTOCOL, [17], [4]) = 0 [pid 48372] sendmsg(3, {msg_name={sa_family=AF_INET, sin_port=htons(49970), sin_addr=inet_addr("127.0.0.1")}, msg_namelen=16, msg_iov=[{iov_base="foo\n", iov_len=4}], msg_iovlen=1, msg_control=[{cmsg_len=36, cmsg_level=SOL_IPV6, cmsg_type=0x32, cmsg_data="\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x01\x00\x00\x00"}], msg_controllen=40, msg_flags=0}, 0) = -1 EINVAL (Invalid argument) ``` ### What did you expect to see? Traffic being able to be sent with both IPv4 and IPv6, as is possible without using `ControlMessage`
NeedsInvestigation
low
Critical
2,712,493,723
pytorch
Partitioner stores fp8 copy of all weights between fwd and bwd, causing OOM
### ๐Ÿ› Describe the bug We have [some code](https://github.com/facebookresearch/lingua/blob/main/lingua/float8.py) to convert linear layers to fp8. The weights are still stored in high precision, but we have an autograd.Function which converts them to fp8 in the forward and then again in the backward, in two slightly different ways. The autograd.Function does _not_ save the weight for the backward. However, when we compile our code, the partitioner ends up choosing to fuse the two conversions into a single one, and save one of its results for the backward. Concretely, this means that the partitioner is choosing to store an additional copy of the entire model in fp8 between forward and backward! This amounts to multiple GBs of extra memory occupied, and is preventing training large models. I don't have a strong opinion on how this should be fixed. I do _not_ think that the partitioner should be constrained to honor exactly what the autograd.Functions choose to keep/drop, but I do believe that the partitioner should take into account the amount of memory used by eager as an upper bound. ### Versions Installed from the `pytorch-nightly` conda channel, v2.6.0.dev20241107, build py3.12_cuda12.4_cudnn9.1.0_0. cc @ezyang @gchanan @zou3519 @kadeng @msaroufim @chauhang @penguinwu
high priority,triaged,oncall: pt2
low
Critical
2,712,497,482
flutter
Add an `elevationToShadow` option to override default M3 shadows in `ThemeData`
### Use case Design of an app may be built upon M3 widgets, but with different shadows i.e. | elevation | y | blur | |-----------|----|------| | 1 | 4 | 8 | | 2 | 6 | 8 | | 3 | 10 | 10 | Would look cool: <img width="397" alt="Screenshot 2024-12-02 at 21 07 23" src="https://github.com/user-attachments/assets/c9fd594b-6ba4-4b4d-afc8-917f25d36057"> But at the moment to override all shadows in my app - I need not only to replace all `Card` with `Container`, but also wriggle around `ContextMenu`, `BottomSheet` etc Now they're just hardcoded here _(since k in constants was good practice)_ https://github.com/flutter/flutter/blob/a0ba2decab156c88708c4261d40660ab8f60da5f/packages/flutter/lib/src/material/shadows.dart#L40 And being used like this https://github.com/flutter/flutter/blob/a0ba2decab156c88708c4261d40660ab8f60da5f/packages/flutter/lib/src/material/dropdown.dart#L57-L64 ### Proposal My proposal is to add `shadowToElevation` parameter in `ThemeData`
framework,f: material design,c: proposal,P3,team-design,triaged-design
low
Minor
2,712,508,485
flutter
Bold weighted Korean hangul text may be rendered incorrectly with variable fonts
### Steps to reproduce 1. Type bold Korean Text. 2. Use Android phone to run 3. Run app Tested on Galaxy S9, Galaxy S23. Both of them produced same problem. ### Expected results Text should be rendered clearly. ### Actual results some of vowels and consonants in hangul bold text are rendered like wireframe. ![image](https://github.com/user-attachments/assets/68b68d7b-d8e7-4246-9a29-f473db930fe7) ![image](https://github.com/user-attachments/assets/9f8998af-0260-46c0-b7f2-fb59570c2a44) ![image](https://github.com/user-attachments/assets/87901250-450d-4f85-ac3c-e8ed7251d1d1) ### Code sample <details open><summary>Code sample</summary> Page: ```dart class NewFeaturesPage extends StatelessWidget { const NewFeaturesPage({super.key}); @override Widget build(BuildContext context) { return Scaffold( appBar: AppBar( title: const Text('์ƒˆ๋กœ์šด ๊ธฐ๋Šฅ', style: TextStyle(fontWeight: FontWeight.w900)), ), body: const Placeholder(), ); } } ``` pubspec.yaml: ```yaml fonts: - family: Pretendard fonts: - asset: assets/fonts/PretendardJPVariable.ttf ``` Same problem occurs if you don't specified font. Not necessary. </details> ### Screenshots or Video <details open> <summary>Screenshots / Video demonstration</summary> - In Android (in trouble) ![image](https://github.com/user-attachments/assets/68b68d7b-d8e7-4246-9a29-f473db930fe7) ![image](https://github.com/user-attachments/assets/9f8998af-0260-46c0-b7f2-fb59570c2a44) ![image](https://github.com/user-attachments/assets/87901250-450d-4f85-ac3c-e8ed7251d1d1) - In iOS (not in trouble) ![IMG_5BEDAD871A24-1](https://github.com/user-attachments/assets/23e7ad49-e6e2-429a-9bd8-13fcb77aedd1) ![IMG_C7CF6AD70A9B-1](https://github.com/user-attachments/assets/53d7ddd5-b854-47e0-983f-27c822cfe94a) ![IMG_3AA7A0465480-1](https://github.com/user-attachments/assets/26501595-4b1c-4d24-bbec-831ca591217b) </details> ### Logs _No response_ ### Flutter Doctor output <details open><summary>Doctor output</summary> ```console โฏ flutter doctor -v [โœ“] Flutter (Channel stable, 3.24.5, on macOS 15.1 24B83 darwin-arm64, locale ko-KR) โ€ข Flutter version 3.24.5 on channel stable at /Users/2p31/development/flutter โ€ข Upstream repository https://github.com/flutter/flutter.git โ€ข Framework revision dec2ee5c1f (3 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/my-name/Library/Android/sdk โ€ข Platform android-34, build-tools 34.0.0 โ€ข ANDROID_SDK_ROOT = /Users/my-name/Library/Android/sdk โ€ข Java binary at: /Applications/Android Studio.app/Contents/jbr/Contents/Home/bin/java โ€ข Java version OpenJDK Runtime Environment (build 17.0.11+0-17.0.11b1207.24-11852314) โ€ข All Android licenses accepted. [โœ“] Xcode - develop for iOS and macOS (Xcode 16.1) โ€ข Xcode at /Applications/Xcode.app/Contents/Developer โ€ข Build 16B40 โ€ข 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.11+0-17.0.11b1207.24-11852314) [โœ“] IntelliJ IDEA Ultimate Edition (version 2024.2.0.2) โ€ข IntelliJ at /Applications/IntelliJ IDEA.app โ€ข 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 [โœ“] VS Code (version 1.95.3) โ€ข VS Code at /Applications/Visual Studio Code.app/Contents โ€ข Flutter extension version 3.100.0 [โœ“] Connected device (6 available) โ€ข SM G965N (mobile) โ€ข uid โ€ข android-arm64 โ€ข Android 10 (API 29) โ€ข iPhone (mobile) โ€ข uid โ€ข ios โ€ข iOS 18.0 22A3354 โ€ข iPad (mobile) โ€ข uid โ€ข ios โ€ข iOS 18.0.1 22A3370 โ€ข macOS (desktop) โ€ข macos โ€ข darwin-arm64 โ€ข macOS 15.1 24B83 darwin-arm64 โ€ข Mac Designed for iPad (desktop) โ€ข mac-designed-for-ipad โ€ข darwin โ€ข macOS 15.1 24B83 darwin-arm64 โ€ข Chrome (web) โ€ข chrome โ€ข web-javascript โ€ข Google Chrome 131.0.6778.86 [โœ“] Network resources โ€ข All expected network resources are available. โ€ข No issues found! ``` </details>
platform-android,engine,a: internationalization,a: typography,platform-web,c: rendering,has reproducible steps,P3,team-engine,triaged-engine,found in release: 3.24,found in release: 3.27
low
Minor
2,712,512,965
rust
`<{f16,f32,f64,f128} as Rem>::rem` documented definition is misleading w.r.t. intermediate rounding
Our documentation for `impl Rem for {f16, f32, f64, f128}` [says](https://doc.rust-lang.org/std/ops/trait.Rem.html#impl-Rem-for-f64): > The remainder has the same sign as the dividend and is computed as: `x - (x / y).trunc() * y`. But that's not true. E.g.: ```rust fn main() { let (x, y) = (11f64, 1.1f64); assert_eq!(x - (x / y).trunc() * y, x % y); //~^ PANIC // assertion `left == right` failed // left: 0.0 // right: 1.0999999999999992 } ``` This mismatch creates a hazard when trying to correctly encode algorithms that rely on this semantic. This tripped me up, e.g., when authoring: - https://github.com/rust-lang/rust/pull/133755 cc #133485 #107904 cc @cuviper @Noratrieb @tczajka @Neutron3529 @BartMassey
A-docs,C-bug,T-libs
low
Critical
2,712,517,984
flutter
Allow customizing `CarouselView` in `ThemeData`
### Use case I don't want to do this: ```dart shape: const RoundedRectangleBorder( borderRadius: BorderRadius.all( Radius.circular(UiGlobal.carouselBorderRadius))), ``` every time I create an instance of CarouselView ### Proposal Please add `carouselView` parameter to `ThemeData`
c: new feature,framework,f: material design,c: proposal,P3,team-design,triaged-design
low
Minor
2,712,540,871
flutter
[web] enabling semantics breaks scrolling
### Steps to reproduce Create a page containing two nested widgets that can be scrollable. E.g. a SingleChildScrollView containing a TextField, or TabView containing a SingleChildScrollView. The nested Widget does not have to be actually scrollable. E.g. it could be a single line TextField or a ListView using NeverScrollPhysics and the issue would still occur. Enable the Semantics tree. Run the app in a browser. Scroll the outer widget. ### Expected results The outer scrollable Widget should smoothly scroll from top to bottom. ### Actual results When scrolling over the nested Widget, the scroll offset suddenly jumps to a new position, skipping a substantial amount of the scrollable area. If the semantics tree is disabled, scrolling works as expected. Surprisingly the jumps also occur even if the nested widget is not actually scrollable. For example a TextField with a fixed amount of lines will also trigger the jumping behaviour wehen scrolling over it. The same issue was also encountered for a TabView with a nested SingleChildScrollView and a SingleChildScrollView containing a ListView (event when setting scrollPhysics to NeverScrollPhysics). ### Code sample For a minimal example of the issue, please see https://dartpad.dev/?id=7339cf7cdd671341c70b59356571e949 ### Screenshots or Video <details open> <summary>Screenshots / Video demonstration</summary> https://github.com/user-attachments/assets/d97769ca-41a9-41a5-95b0-49c5a0948a77 </details> ### Logs _No response_ ### Flutter Doctor output <details open><summary>Doctor output</summary> ```console [โœ“] Flutter (Channel stable, 3.24.4, on macOS 15.0.1 24A348 darwin-arm64, locale de-DE) โ€ข Flutter version 3.24.4 on channel stable at /Applications/flutter โ€ข Upstream repository https://github.com/flutter/flutter.git โ€ข Framework revision 603104015d (6 weeks ago), 2024-10-24 08:01:25 -0700 โ€ข Engine revision db49896cf2 โ€ข Dart version 3.5.4 โ€ข DevTools version 2.37.3 [โœ“] Android toolchain - develop for Android devices (Android SDK version 33.0.0) โ€ข Android SDK at /Users/tauu/Library/Android/sdk โ€ข Platform android-34, build-tools 33.0.0 โ€ข ANDROID_HOME = /Users/tauu/Library/Android/sdk โ€ข ANDROID_SDK_ROOT = /Users/tauu/Library/Android/sdk โ€ข Java binary at: /Applications/Android Studio.app/Contents/jbr/Contents/Home/bin/java โ€ข Java version OpenJDK Runtime Environment (build 17.0.11+0-17.0.11b1207.24-11852314) โ€ข All Android licenses accepted. [!] Xcode - develop for iOS and macOS (Xcode 16.1) โ€ข Xcode at /Applications/Xcode.app/Contents/Developer โ€ข Build 16B40 โœ— Unable to get list of installed Simulator runtimes. โ€ข CocoaPods version 1.15.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.11+0-17.0.11b1207.24-11852314) [โœ“] VS Code (version 1.94.2) โ€ข VS Code at /Applications/Visual Studio Code.app/Contents โ€ข Flutter extension version 3.102.0 [โœ“] Connected device (4 available) โ€ข iPhone von Georg (mobile) โ€ข 00008030-0019742934DA802E โ€ข ios โ€ข iOS 18.0.1 22A3370 โ€ข macOS (desktop) โ€ข macos โ€ข darwin-arm64 โ€ข macOS 15.0.1 24A348 darwin-arm64 โ€ข Mac Designed for iPad (desktop) โ€ข mac-designed-for-ipad โ€ข darwin โ€ข macOS 15.0.1 24A348 darwin-arm64 โ€ข Chrome (web) โ€ข chrome โ€ข web-javascript โ€ข Google Chrome 131.0.6778.86 ! Error: Browsing on the local area network for Apple Watch von Georg. Ensure the device is unlocked and discoverable via Bluetooth. (code -27) [โœ“] Network resources โ€ข All expected network resources are available. ! Doctor found issues in 1 category. ``` </details>
framework,a: accessibility,f: scrolling,platform-web,has reproducible steps,P2,team-web,triaged-web,found in release: 3.24,found in release: 3.27
low
Critical
2,712,585,808
godot
AudioStreamPlayer with an AudioStreamMicrophone stutters for any pitch_scale not equal to 1.0
### Tested versions Reproducible on 4.3.stable and 4.4.dev5 ### System information Godot v4.3.stable (77dcf97d8) - NixOS #1-NixOS SMP PREEMPT_DYNAMIC Thu Sep 12 09:13:13 UTC 2024 - X11 - GLES3 (Compatibility) - Mesa Intel(R) Graphics (ADL GT2) - 12th Gen Intel(R) Core(TM) i5-1240P (16 Threads) ### Issue description I encountered this issue while working on the [twovoip plugin](https://github.com/goatchurchprime/two-voip-godot-4) because I thought I could use this inline resampling feature to read the stream of samples at 48000Hz from a microphone that was recording at 44100Hz. (At the moment the twovoip plugin implements its own resampling on the chunks because the opus compression library doesn't handle 44100Hz audio.) Here is a prerecorded example. [record.zip](https://github.com/user-attachments/files/17980179/record.zip) I have the same on Windows. This is not an accidental feature, since the `AudioStreamPlaybackMicrophone` class [derives from](https://github.com/godotengine/godot/blob/d741a646a5ee20e77c1d0d9d4fbfed03d7b8dcc3/servers/audio/audio_stream.h#L239) the `AudioStreamPlaybackResampled` class, when if it derived directly from the `AudioStreamPlayback` it wouldn't have this capability. I've not gone into the code far enough to find the bug, which is probably something to do with reading invalid samples out of the ring buffer. I am pretty sure there is no special case for pitch_scale=1.0 that skips the resampling algorithm. This means the stuttering that happens on a Windows machine after running the AudioStreamMicrophone for more than 10 minutes under normal conditions (pitch_scale=1.0) might be related to the same bug due to some fractional slippage along the resampler over time. ------ On a design note, my twovoip plugin puts an [AudioEffectOpusChunked](https://github.com/goatchurchprime/two-voip-godot-4/blob/main/src/audio_effect_opus_chunked.cpp#L218) class on the Audio Bus fed by the AudioStream carrying the microphone, and runs its own chunking buffer from which you can extract the Opus packets as they are filled. This is versatile because it means I could encode any stream or music from another bus into Opus packets, or apply a voice effect on the microphone before it gets processed. However, it introduces a delay of an extra buffer as well as the potential bugs like this. So if I am trying to make a quicker response without these features (which don't apply to Opus compression since it is tuned for normal voice audio), should I write a plugin class to derive from directly from the `AudioStreamPlaybackMicrophone` instead so it can copy the samples directly out of the `AudioDriver` into its own chunking buffers without an intermediate buffer? ### Steps to reproduce Use the Audio Mic Record Demo from the Godot-demo-projects, and set the pitch_scale to 1.1 https://github.com/godotengine/godot-demo-projects/tree/master/audio/mic_record Then record your voice and play it back. ### Minimal reproduction project (MRP) See above
bug,topic:audio
low
Critical
2,712,594,201
ui
[bug]: Installation Error
### Describe the Bug An error occurs when attempting to install a component using Shadcn UI: ```bash Something went wrong. Please check the error below for more details. If the problem persists, please open an issue on GitHub. request to https://ui.shadcn.com/r/styles/new-york/textarea.json failed, reason: read ECONNRESET ``` ### Affected Component(s) The issue arises while using `npx shadcn@latest add` to add components. ### Steps to Reproduce 1. Run the following command in the terminal: ```bash npx shadcn@latest add ``` 2. Press `A` to add all components. 3. The following error is displayed: ```bash Something went wrong. Please check the error below for more details. If the problem persists, please open an issue on GitHub. request to https://ui.shadcn.com/r/styles/new-york/textarea.json failed, reason: read ECONNRESET ``` ### Expected Behavior Components should be added successfully without errors. ### Actual Behavior The installation process fails with the `ECONNRESET` error, indicating a problem with fetching resources from the Shadcn UI server. ### System Info ```bash OS: Windows 12 Next.js: 14.2.16 React: ^18 ``` ### Additional Information - The error might indicate a network connectivity issue or server-side downtime. - Retried the command on different networks with the same result. - Attached screenshot for reference. ![Error Screenshot](https://github.com/user-attachments/assets/0878f291-68b0-42a9-a5a9-d844c90f67a6) ### Before Submitting - [x] I have researched the issue and reviewed the documentation. - [x] I have checked for existing related issues. --- Let me know if youโ€™d like further refinements!
bug
low
Critical
2,712,636,769
PowerToys
Switch Between the windows in the current zone shortcut doesnโ€™t work after switching desktops and coming back
### Microsoft PowerToys version 0.85.1 ### Installation method PowerToys auto-update ### Running as admin None ### Area(s) with issue? FancyZones ### Steps to reproduce Hi FancyZones team, First of all, thank you for the wonderful tool you provide. It really contributes to my productivity. I think there might be a bug, I wanted to let you know. The issue: - I want to use the โ€œSwitch Between the windows in the current zoneโ€ shortcut. - I can work with the current zone switch functionality on Desktop A. - I switch to Desktop B by win + right or left arrows, do my stuff there. - When I come back to Desktop A, I see that the current zone switch functionality doesnโ€™t work. [PowerToysReport_2024-12-02-17-01-23.zip](https://github.com/user-attachments/files/17980649/PowerToysReport_2024-12-02-17-01-23.zip) ### โœ”๏ธ Expected Behavior - I expect the current zone switch functionality to work as if I didnโ€™t leave that desktop. ### โŒ Actual Behavior - The current zone switch functionality didnโ€™t work. - I need to move the windows to that zone again by using win + left of right arrow keys. The window doesnโ€™t actually, it is like a small adjustment visually. After moving the desired windows to that zone, the shortcut starts to work again, until the next desktop change. ### Other Software _No response_
Issue-Bug,FancyZones-Hotkeys,Product-FancyZones,Needs-Triage
low
Critical
2,712,701,744
vscode
Git - git blame info is not provided to screen reader users
1. enable `"git.blame.editorDecoration.enabled": true` 2. enable screen reader mode and turn on a screen reader (I'm using voice over) 3. navigate lines and see if you hear git blame info. 4. ๐Ÿ› you do not cc @jooyoungseo, @isidorn This feature is really powerful, so we want to be sure it's available to screen reader users. https://github.com/user-attachments/assets/ab4ee290-cbd3-4ae5-b5fb-420360d1e803
bug,git,accessibility
low
Minor
2,712,741,178
pytorch
Default optimizer options are ignored in the C++ API
### ๐Ÿ› Describe the bug This standalone C++ program creates an optimizer with 3 param groups of a single tensor each. The tensor are initialized to 1. It also has default options that set the learning rate to 0, and the param groups are not setting their learning rate. It then computes a backward pass and runs an optimization step, printing the tensors modified by the optimizer: ``` #include <torch/torch.h> #include <iostream> using namespace torch; int main() { Tensor input = torch::ones({1, 3}); Tensor w = torch::ones({2, 3}); Tensor b = torch::ones({1, 2}); Tensor output; input.set_requires_grad(true); w.set_requires_grad(true); b.set_requires_grad(true); std::vector<optim::OptimizerParamGroup> param_groups; // Param group for input tensor auto *input_adam_opts = new optim::AdamOptions(); input_adam_opts->weight_decay(0.11); optim::OptimizerOptions *input_opts = input_adam_opts; param_groups.push_back( optim::OptimizerParamGroup( std::vector<Tensor>({input}), std::unique_ptr<optim::OptimizerOptions>(input_opts) ) ); // Param group for w tensor auto *w_adam_opts = new optim::AdamOptions(); w_adam_opts->weight_decay(0.22); optim::OptimizerOptions *w_opts = w_adam_opts; param_groups.push_back( optim::OptimizerParamGroup( std::vector<Tensor>({w}), std::unique_ptr<optim::OptimizerOptions>(w_opts) ) ); // Param group for b tensor auto *b_adam_opts = new optim::AdamOptions(); b_adam_opts->weight_decay(0.33); optim::OptimizerOptions *b_opts = b_adam_opts; param_groups.push_back( optim::OptimizerParamGroup( std::vector<Tensor>({b}), std::unique_ptr<optim::OptimizerOptions>(b_opts) ) ); // Default options and optimizer creation optim::AdamOptions default_opts; default_opts.lr(0); auto optimizer = optim::Adam(param_groups, default_opts); output = at::linear(input, w, b); Tensor outgrad = torch::ones({1, 2}); output.backward(outgrad); optimizer.step(); std::cout << "input:" << std::endl; std::cout << input << "\n"; std::cout << "w:" << std::endl; std::cout << w << "\n"; std::cout << "b:" << std::endl; std::cout << b << "\n"; std::cout << "\n"; std::vector<torch::optim::OptimizerParamGroup> retrieved_param_groups = optimizer.param_groups(); auto *group_0_opts = static_cast<torch::optim::AdamOptions*>( &(retrieved_param_groups[0].options()) ); std::cout << "input weight decay:\n"; std::cout << group_0_opts->weight_decay() <<"\n"; std::cout << "input learning rate:\n"; std::cout << group_0_opts->lr() <<"\n"; std::cout << "\n"; auto *group_1_opts = static_cast<torch::optim::AdamOptions*>( &(retrieved_param_groups[1].options()) ); std::cout << "w weight decay:\n"; std::cout << group_1_opts->weight_decay() <<"\n"; std::cout << "w learning rate:\n"; std::cout << group_1_opts->lr() <<"\n"; std::cout << "\n"; auto *group_2_opts = static_cast<torch::optim::AdamOptions*>( &(retrieved_param_groups[2].options()) ); std::cout << "b weight decay:\n"; std::cout << group_2_opts->weight_decay() <<"\n"; std::cout << "b learning rate:\n"; std::cout << group_2_opts->lr() <<"\n"; } ``` The output is: ``` input: 0.9990 0.9990 0.9990 [ CPUFloatType{1,3} ] w: 0.9990 0.9990 0.9990 0.9990 0.9990 0.9990 [ CPUFloatType{2,3} ] b: 0.9990 0.9990 [ CPUFloatType{1,2} ] input weight decay: 0.11 input learning rate: 0.001 w weight decay: 0.22 w learning rate: 0.001 b weight decay: 0.33 b learning rate: 0.001 ``` So it can be seen that setting the learning rate to 0 in the default options is ignored, the tensor have changed after the step. And retrieving the param group options shows that they are using a learning rate of 0.001. ### Versions I have built from source using commit `23c0d2689e4b49858787adc6ca2c5032ac221b96`. This is the `cmake` command: ``` cmake \ -DCMAKE_BUILD_TYPE=Release \ -DBUILD_PYTHON=False \ -DCMAKE_INSTALL_PREFIX=$home_dir/torch \ -DTORCH_BUILD_VERSION=2.6.0a0+git23c0d26 \ -DUSE_NUMPY=False \ ``` This is the output of the `collect_env.py` script: ``` PyTorch version: N/A Is debug build: N/A CUDA used to build PyTorch: N/A ROCM used to build PyTorch: N/A OS: Ubuntu 24.04.1 LTS (x86_64) GCC version: (Ubuntu 13.2.0-23ubuntu4) 13.2.0 Clang version: Could not collect CMake version: version 3.31.1 Libc version: glibc-2.39 Python version: 3.12.3 (main, Nov 6 2024, 18:32:19) [GCC 13.2.0] (64-bit runtime) Python platform: Linux-6.8.0-49-generic-x86_64-with-glibc2.39 Is CUDA available: N/A CUDA runtime version: Could not collect CUDA_MODULE_LOADING set to: N/A GPU models and configuration: GPU 0: NVIDIA GeForce GTX 1650 Nvidia driver version: 550.120 cuDNN version: Could not collect HIP runtime version: N/A MIOpen runtime version: N/A Is XNNPACK available: N/A CPU: Architecture: x86_64 CPU op-mode(s): 32-bit, 64-bit Address sizes: 39 bits physical, 48 bits virtual Byte Order: Little Endian CPU(s): 16 On-line CPU(s) list: 0-15 Vendor ID: GenuineIntel Model name: Intel(R) Core(TM) i9-9980HK CPU @ 2.40GHz CPU family: 6 Model: 158 Thread(s) per core: 2 Core(s) per socket: 8 Socket(s): 1 Stepping: 13 CPU(s) scaling MHz: 85% CPU max MHz: 5000.0000 CPU min MHz: 800.0000 BogoMIPS: 4800.00 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 monitor ds_cpl vmx 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 sgx bmi1 avx2 smep bmi2 erms invpcid mpx rdseed adx smap clflushopt intel_pt xsaveopt xsavec xgetbv1 xsaves dtherm ida arat pln pts hwp hwp_notify hwp_act_window hwp_epp vnmi sgx_lc md_clear flush_l1d arch_capabilities Virtualization: VT-x L1d cache: 256 KiB (8 instances) L1i cache: 256 KiB (8 instances) L2 cache: 2 MiB (8 instances) L3 cache: 16 MiB (1 instance) NUMA node(s): 1 NUMA node0 CPU(s): 0-15 Vulnerability Gather data sampling: Mitigation; Microcode Vulnerability Itlb multihit: KVM: Mitigation: VMX disabled Vulnerability L1tf: Not affected Vulnerability Mds: Not affected Vulnerability Meltdown: Not affected Vulnerability Mmio stale data: Mitigation; Clear CPU buffers; SMT vulnerable Vulnerability Reg file data sampling: Not affected Vulnerability Retbleed: Mitigation; Enhanced IBRS 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 SW loop, KVM SW loop Vulnerability Srbds: Mitigation; Microcode Vulnerability Tsx async abort: Mitigation; TSX disabled Versions of relevant libraries: [pip3] numpy==1.26.3 [pip3] nvidia-cublas-cu11==11.11.3.6 [pip3] nvidia-cuda-cupti-cu11==11.8.87 [pip3] nvidia-cuda-nvrtc-cu11==11.8.89 [pip3] nvidia-cuda-runtime-cu11==11.8.89 [pip3] nvidia-cudnn-cu11==9.1.0.70 [pip3] nvidia-cufft-cu11==10.9.0.58 [pip3] nvidia-curand-cu11==10.3.0.86 [pip3] nvidia-cusolver-cu11==11.4.1.48 [pip3] nvidia-cusparse-cu11==11.7.5.86 [pip3] nvidia-nccl-cu11==2.20.5 [pip3] nvidia-nvtx-cu11==11.8.86 [pip3] torch==2.4.1+cu118 [pip3] torchaudio==2.4.1+cu118 [pip3] torchvision==0.19.1+cu118 [pip3] triton==3.0.0 [conda] Could not collect ``` cc @vincentqb @jbschlosser @albanD @janeyx99 @crcrpar
module: cpp,module: optimizer,triaged,actionable
low
Critical
2,712,842,991
ollama
Unsupported Architecture for Vision Model Conversion to GGUF in Ollama
**Model**: [Llama-3.2-11B-Vision-Instruct-abliterated](https://huggingface.co/huihui-ai/Llama-3.2-11B-Vision-Instruct-abliterated) **Error Output**: ``` transferring model data 100% converting model Error: unsupported architecture ``` #### Description: I'm trying to use the model **huihui-ai/Llama-3.2-11B-Vision-Instruct-abliterated** from HuggingFace in Ollama, but I'm encountering an "unsupported architecture" error when attempting to import the model. Based on what I understand, the issue seems to be related to **vision model support** in Ollama. Currently, **Llama Vision** is supported, but it seems that importing this model fails due to the architecture (`Mllama`), which isn't recognized during the conversion process to **GGUF**. Additionally, trying to manually convert the model to GGUF using **llama.cpp** doesn't work either, as the conversion script does not support the **Mllama** architecture required by this vision model. #### Steps to Reproduce: 1. Attempt to import the model into Ollama. 2. The transfer process completes but fails during conversion, with the error: "unsupported architecture." #### Expected Behavior: Support for importing and converting **vision models** like **huihui-ai/Llama-3.2-11B-Vision-Instruct-abliterated** into GGUF format, or at least a workaround for vision architectures beyond standard Llama Vision. #### Additional Notes: - The model is in **safetensor** format from Hugging Face. - It appears Ollama tries to convert it back to **GGUF**, but this fails due to unsupported architecture. - **Request**: Please add support for vision models to handle **Mllama** architecture. Any guidance or updates on expanding Ollamaโ€™s vision model support would be appreciated.
model request
low
Critical
2,712,879,033
tensorflow
Clarify the `constant_op.constant(2)` statement
It would be helpful to clarify the `constant_op.constant(2)` statement by explaining the corresponding import statement. https://github.com/tensorflow/tensorflow/blob/5bc9d26649cca274750ad3625bd93422617eed4b/tensorflow/python/ops/summary_ops_v2.py#L1062-L1066
type:bug,comp:ops
medium
Minor
2,712,891,800
pytorch
Does vmap accept None out_dims?
It appears to in https://github.com/pytorch/pytorch/blob/main/torch/_higher_order_ops/flex_attention.py#L828 but the type hint says it doesn't. cc @Chillee @samdow @kshitij12345
triaged,module: vmap
low
Minor
2,712,925,893
godot
CollisionPolygon2D -- Debug collision shape only shows outline in exported projects
### Tested versions Godot Engine v4.3.stable.official.77dcf97d8 - https://godotengine.org ### System information Godot v4.3.stable - Windows 10.0.22631 - GLES3 (Compatibility) - NVIDIA GeForce RTX 4070 Ti (NVIDIA; 32.0.15.6614) - AMD Ryzen 9 7950X 16-Core Processor (32 Threads) ### Issue description In the Godot editor, there is an option under Debug > Visible Collision Shapes to make collision shapes visible while the game is running. The appearance matches what is visible in the editor window. To enable this feature for exported projects, one must add the following line of code to the scene: `get_tree().set_debug_collisions_hint(true)` However, this only appears to work for CollisionShape2D nodes in exported projects. CollisionPolygon2D nodes will only have the outline of their collision shape visible in exported projects. In editor the whole (filled) collision polygon is visible. ### Steps to reproduce Open the attached project. Inspect the scene in the editor before running to see how the collision shapes should look in-game. Run the project and verify that the scene appears as expected (root node has a script attached to enable visible debug shapes.) Export the project to Windows .exe or Web build. Run the exported project and see that the CollisionPolygon2D only shows the shape outline. ### Minimal reproduction project (MRP) [new-game-project.zip](https://github.com/user-attachments/files/17982291/new-game-project.zip) ![Image](https://github.com/user-attachments/assets/81a6ff5d-6c78-4e20-b2ff-5c5312d5b4fb) ![Image](https://github.com/user-attachments/assets/1089789c-e710-4329-a57c-e51dc99d65d7)
topic:physics
low
Critical
2,712,930,036
pytorch
Forward from pytorch/executorch: export error with Macbook pro M4
### ๐Ÿ› Describe the bug Original Issue: https://github.com/pytorch/executorch/issues/7127 when I export .pte from Llama3.2 1B, it is enterrupt. the error is blow: python -m examples.models.llama.export_llama --checkpoint "/Users/qitmac001443/.llama/checkpoints/Llama3.1-8B/consolidated.00.pth" --params "/Users/qitmac001443/.llama/checkpoints/Llama3.1-8B/params.json" -kv --use_sdpa_with_kv_cache -X -d bf16 --metadata '{"get_bos_id":128000, "get_eos_ids":[128009, 128001]}' --output_name="llama3_1.pte" INFO:root:Applying quantizers: [] INFO:root:Loading model with checkpoint=/Users/qitmac001443/.llama/checkpoints/Llama3.1-8B/consolidated.00.pth, params=/Users/qitmac001443/.llama/checkpoints/Llama3.1-8B/params.json, use_kv_cache=True, weight_type=WeightType.LLAMA INFO:root:model.to torch.bfloat16 INFO:root:Loading custom ops library: /Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/executorch/extension/llm/custom_ops/libcustom_ops_aot_lib.dylib INFO:root:Model after source transforms: Transformer( (tok_embeddings): Embedding(128256, 4096) (layers): ModuleList( (0-31): 32 x TransformerBlock( (attention): Attention( (wq): Linear(in_features=4096, out_features=4096, bias=False) (wk): Linear(in_features=4096, out_features=1024, bias=False) (wv): Linear(in_features=4096, out_features=1024, bias=False) (wo): Linear(in_features=4096, out_features=4096, bias=False) (kv_cache): KVCache() (SDPA): SDPA( (kv_cache): KVCache() ) (apply_rotary_emb): RotaryEmbedding() ) (feed_forward): FeedForward( (w1): Linear(in_features=4096, out_features=14336, bias=False) (w2): Linear(in_features=14336, out_features=4096, bias=False) (w3): Linear(in_features=4096, out_features=14336, bias=False) ) (attention_norm): RMSNorm() (ffn_norm): RMSNorm() ) ) (norm): RMSNorm() (output): Linear(in_features=4096, out_features=128256, bias=False) ) INFO:root:Exporting with: INFO:root:inputs: (tensor([[2, 3, 4]]), tensor([0])) INFO:root:kwargs: None INFO:root:dynamic shapes: ({1: <class 'executorch.extension.llm.export.builder.token_dim'>}, {0: 1}) E1129 14:14:25.160000 32543 .venv/lib/python3.12/site-packages/torch/export/_trace.py:1017] always_classified is unsupported. Traceback (most recent call last): File "", line 198, in _run_module_as_main File "", line 88, in _run_code File "/Users/qitmac001443/Desktop/workspace/executorch/examples/models/llama/export_llama.py", line 32, in main() # pragma: no cover ^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/examples/models/llama/export_llama.py", line 28, in main export_llama(args) File "/Users/qitmac001443/Desktop/workspace/executorch/examples/models/llama/export_llama_lib.py", line 508, in export_llama builder = _export_llama(args) ^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/examples/models/llama/export_llama_lib.py", line 643, in _export_llama builder_exported = _prepare_for_llama_export(args).export() ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/executorch/extension/llm/export/builder.py", line 201, in export exported_module = export_for_training( ^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/export/init.py", line 168, in export_for_training return _export_for_training( ^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/export/_trace.py", line 1031, in wrapper raise e File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/export/_trace.py", line 1004, in wrapper ep = fn(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/export/exported_program.py", line 122, in wrapper return fn(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/export/_trace.py", line 1808, in _export_for_training export_artifact = export_func( # type: ignore[operator] ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/export/_trace.py", line 1279, in _strict_export_lower_to_aten_ir gm_torch_level = _export_to_torch_ir( ^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/export/_trace.py", line 660, in _export_to_torch_ir gm_torch_level, _ = torch._dynamo.export( ^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/eval_frame.py", line 1539, in inner result_traced = opt_f(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/nn/modules/module.py", line 1740, in _wrapped_call_impl return self._call_impl(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/nn/modules/module.py", line 1751, in _call_impl return forward_call(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/eval_frame.py", line 556, in _fn return fn(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/nn/modules/module.py", line 1740, in _wrapped_call_impl return self._call_impl(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/nn/modules/module.py", line 1751, in _call_impl return forward_call(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/convert_frame.py", line 1395, in call return self._torchdynamo_orig_callable( ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/convert_frame.py", line 545, in call return _compile( ^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/convert_frame.py", line 977, in _compile guarded_code = compile_inner(code, one_graph, hooks, transform) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/convert_frame.py", line 706, in compile_inner return _compile_inner(code, one_graph, hooks, transform) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_utils_internal.py", line 95, in wrapper_function return function(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/convert_frame.py", line 741, in _compile_inner out_code = transform_code_object(code, transform) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/bytecode_transformation.py", line 1348, in transform_code_object transformations(instructions, code_options) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/convert_frame.py", line 229, in _fn return fn(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/convert_frame.py", line 658, in transform tracer.run() File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 2912, in run super().run() File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1120, in run while self.step(): ^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1032, in step self.dispatch_table[inst.opcode](self, inst) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 640, in wrapper return inner_fn(self, inst) ^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 2418, in CALL self._call(inst) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 2412, in _call self.call_function(fn, args, kwargs) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 967, in call_function self.push(fn.call_function(self, args, kwargs)) # type: ignore[arg-type] ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/nn_module.py", line 442, in call_function return tx.inline_user_function_return( ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 973, in inline_user_function_return return InliningInstructionTranslator.inline_call(self, fn, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/dynamo/symbolic_convert.py", line 3127, in inline_call return cls.inline_call(parent, func, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/dynamo/symbolic_convert.py", line 3255, in inline_call tracer.run() File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1120, in run while self.step(): ^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1032, in step self.dispatch_table[inst.opcode](self, inst) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 640, in wrapper return inner_fn(self, inst) ^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1816, in CALL_FUNCTION_EX self.call_function(fn, argsvars.items, kwargsvars) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 967, in call_function self.push(fn.call_function(self, args, kwargs)) # type: ignore[arg-type] ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/functions.py", line 410, in call_function return super().call_function(tx, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/functions.py", line 349, in call_function return super().call_function(tx, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/functions.py", line 125, in call_function return tx.inline_user_function_return(self, [*self.self_args(), *args], kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 973, in inline_user_function_return return InliningInstructionTranslator.inline_call(self, fn, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/dynamo/symbolic_convert.py", line 3127, in inline_call return cls.inline_call(parent, func, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/dynamo/symbolic_convert.py", line 3255, in inline_call tracer.run() File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1120, in run while self.step(): ^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1032, in step self.dispatch_table[inst.opcode](self, inst) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 640, in wrapper return inner_fn(self, inst) ^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 2418, in CALL self._call(inst) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 2412, in _call self.call_function(fn, args, kwargs) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 967, in call_function self.push(fn.call_function(self, args, kwargs)) # type: ignore[arg-type] ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/functions.py", line 410, in call_function return super().call_function(tx, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/functions.py", line 349, in call_function return super().call_function(tx, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/functions.py", line 125, in call_function return tx.inline_user_function_return(self, [*self.self_args(), *args], kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 973, in inline_user_function_return return InliningInstructionTranslator.inline_call(self, fn, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/dynamo/symbolic_convert.py", line 3127, in inline_call return cls.inline_call(parent, func, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/dynamo/symbolic_convert.py", line 3255, in inline_call tracer.run() File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1120, in run while self.step(): ^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1032, in step self.dispatch_table[inst.opcode](self, inst) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 640, in wrapper return inner_fn(self, inst) ^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 2418, in CALL self._call(inst) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 2412, in _call self.call_function(fn, args, kwargs) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 967, in call_function self.push(fn.call_function(self, args, kwargs)) # type: ignore[arg-type] ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/nn_module.py", line 442, in call_function return tx.inline_user_function_return( ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 973, in inline_user_function_return return InliningInstructionTranslator.inline_call(self, fn, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/dynamo/symbolic_convert.py", line 3127, in inline_call return cls.inline_call(parent, func, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/dynamo/symbolic_convert.py", line 3255, in inline_call tracer.run() File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1120, in run while self.step(): ^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1032, in step self.dispatch_table[inst.opcode](self, inst) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 640, in wrapper return inner_fn(self, inst) ^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1816, in CALL_FUNCTION_EX self.call_function(fn, argsvars.items, kwargsvars) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 967, in call_function self.push(fn.call_function(self, args, kwargs)) # type: ignore[arg-type] ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/functions.py", line 410, in call_function return super().call_function(tx, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/functions.py", line 349, in call_function return super().call_function(tx, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/functions.py", line 125, in call_function return tx.inline_user_function_return(self, [*self.self_args(), *args], kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 973, in inline_user_function_return return InliningInstructionTranslator.inline_call(self, fn, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/dynamo/symbolic_convert.py", line 3127, in inline_call return cls.inline_call(parent, func, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/dynamo/symbolic_convert.py", line 3255, in inline_call tracer.run() File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1120, in run while self.step(): ^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1032, in step self.dispatch_table[inst.opcode](self, inst) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 640, in wrapper return inner_fn(self, inst) ^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 2418, in CALL self._call(inst) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 2412, in _call self.call_function(fn, args, kwargs) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 967, in call_function self.push(fn.call_function(self, args, kwargs)) # type: ignore[arg-type] ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/functions.py", line 410, in call_function return super().call_function(tx, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/functions.py", line 349, in call_function return super().call_function(tx, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/functions.py", line 125, in call_function return tx.inline_user_function_return(self, [*self.self_args(), *args], kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 973, in inline_user_function_return return InliningInstructionTranslator.inline_call(self, fn, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/dynamo/symbolic_convert.py", line 3127, in inline_call return cls.inline_call(parent, func, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/dynamo/symbolic_convert.py", line 3255, in inline_call tracer.run() File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1120, in run while self.step(): ^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 1032, in step self.dispatch_table[inst.opcode](self, inst) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 640, in wrapper return inner_fn(self, inst) ^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 2418, in CALL self._call(inst) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 2412, in _call self.call_function(fn, args, kwargs) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/symbolic_convert.py", line 967, in call_function self.push(fn.call_function(self, args, kwargs)) # type: ignore[arg-type] ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/misc.py", line 1022, in call_function return self.obj.call_method(tx, self.name, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/tensor.py", line 589, in call_method return wrap_fx_proxy( ^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/builder.py", line 2108, in wrap_fx_proxy return wrap_fx_proxy_cls(target_cls=TensorVariable, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/builder.py", line 2174, in wrap_fx_proxy_cls return _wrap_fx_proxy( ^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/variables/builder.py", line 2270, in _wrap_fx_proxy example_value = get_fake_value(proxy.node, tx, allow_non_graph_fake=True) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/utils.py", line 2278, in get_fake_value raise TorchRuntimeError(str(e)).with_traceback(e.traceback) from None File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/utils.py", line 2213, in get_fake_value ret_val = wrap_fake_exception( ^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/utils.py", line 1761, in wrap_fake_exception return fn() ^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/utils.py", line 2214, in lambda: run_node(tx.output, node, args, kwargs, nnmodule) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/utils.py", line 2346, in run_node raise RuntimeError(make_error_message(e)).with_traceback( File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_dynamo/utils.py", line 2330, in run_node return getattr(args[0], node.target)(*args[1:], **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/utils/_stats.py", line 21, in wrapper return fn(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_subclasses/fake_tensor.py", line 1271, in torch_dispatch return self.dispatch(func, types, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_subclasses/fake_tensor.py", line 1813, in dispatch return self._cached_dispatch_impl(func, types, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_subclasses/fake_tensor.py", line 1381, in _cached_dispatch_impl output = self._dispatch_impl(func, types, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_subclasses/fake_tensor.py", line 2267, in _dispatch_impl op_impl_out = op_impl(self, func, *args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_subclasses/fake_impls.py", line 147, in dispatch_to_op_implementations_dict return op_implementations_dict[func](fake_mode, func, *args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_subclasses/fake_impls.py", line 641, in multi_device_op_default return run_and_return_new_tensor_of_input_device(fake_mode, func, args, kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_subclasses/fake_impls.py", line 551, in run_and_return_new_tensor_of_input_device out = func(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_ops.py", line 723, in call return self._op(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/meta_registrations.py", line 400, in meta_copy aten.expand_copy.default(intermediate, self.size()) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_ops.py", line 723, in call return self._op(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_refs/init.py", line 2228, in _fn result = fn(*args, out=out, **kwargs) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_prims_common/wrappers.py", line 291, in _fn result = fn(*args, **kwargs) ^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_ops.py", line 1123, in call return self._op(args, **(kwargs or {})) ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/_refs/init.py", line 2994, in expand torch._check( File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/init.py", line 1617, in _check _check_with(RuntimeError, cond, message) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/init.py", line 1599, in _check_with raise error_type(message_evaluated) torch.dynamo.exc.TorchRuntimeError: Failed running call_method copy((FakeTensor(..., size=(1, 8, 8, 128), dtype=torch.bfloat16), FakeTensor(..., size=(1, 8, s0, 128), dtype=torch.bfloat16)), **{}): expand: attempting to expand a dimension of length s0! from user code: File "/Users/qitmac001443/Desktop/workspace/executorch/examples/models/llama/llama_transformer.py", line 534, in forward h = layer( File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/nn/modules/module.py", line 1751, in _call_impl return forward_call(*args, **kwargs) File "/Users/qitmac001443/Desktop/workspace/executorch/examples/models/llama/llama_transformer.py", line 442, in forward h = self.attention.forward( File "/Users/qitmac001443/Desktop/workspace/executorch/examples/models/llama/llama_transformer.py", line 343, in forward output = self.SDPA(input_pos, q, k, v, bsz, seqlen, self.mask) File "/Users/qitmac001443/Desktop/workspace/executorch/.venv/lib/python3.12/site-packages/torch/nn/modules/module.py", line 1751, in call_impl return forward_call(*args, **kwargs) File "/Users/qitmac001443/Desktop/workspace/executorch/examples/models/llama/llama_transformer.py", line 250, in forward k, v = self.kv_cache.update(input_pos, k, v) File "/Users/qitmac001443/Desktop/workspace/executorch/examples/models/llama/llama_transformer.py", line 202, in update narrowed_k.copy(k_val) Set TORCH_LOGS="+dynamo" and TORCHDYNAMO_VERBOSE=1 for more information Versions PyTorch version: 2.6.0.dev20241112 Is debug build: False CUDA used to build PyTorch: None ROCM used to build PyTorch: N/A OS: macOS 14.5 (arm64) GCC version: Could not collect Clang version: 16.0.0 (clang-1600.0.26.4) CMake version: version 3.31.1 Libc version: N/A Python version: 3.12.7 | packaged by Anaconda, Inc. | (main, Oct 4 2024, 08:22:19) [Clang 14.0.6 ] (64-bit runtime) Python platform: macOS-14.5-arm64-arm-64bit 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: Apple M3 Versions of relevant libraries: [pip3] executorch==0.5.0a0+d679ad7 [pip3] numpy==1.26.4 [pip3] torch==2.6.0.dev20241112 [pip3] torchao==0.7.0+git75d0693 [pip3] torchaudio==2.5.0.dev20241112 [pip3] torchsr==1.0.4 [pip3] torchvision==0.20.0.dev20241112 [conda] No relevant packages @tugsbayasgalan can you take a look? cc @chauhang @penguinwu @avikchaudhuri @gmagogsfm @zhxchen17 @tugsbayasgalan @angelayi @suo @ydwu4 @wangqiang58 ### Versions .
oncall: export
low
Critical
2,713,071,189
pytorch
CheckpointError with checkpoint(..., use_reentrant=False) & autocast()
### ๐Ÿ› Describe the bug When running the code below, I get the following error: ``` Traceback (most recent call last): File "<stdin>", line 1, in <module> File "/workspaces/pytorch/grad/checkpoint.py", line 45, in main loss.backward() File "/opt/conda/lib/python3.11/site-packages/torch/_tensor.py", line 581, in backward torch.autograd.backward( File "/opt/conda/lib/python3.11/site-packages/torch/autograd/__init__.py", line 347, in backward _engine_run_backward( File "/opt/conda/lib/python3.11/site-packages/torch/autograd/graph.py", line 825, in _engine_run_backward return Variable._execution_engine.run_backward( # Calls into the C++ engine to run the backward pass ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ File "/opt/conda/lib/python3.11/site-packages/torch/utils/checkpoint.py", line 1129, in unpack_hook frame.check_recomputed_tensors_match(gid) File "/opt/conda/lib/python3.11/site-packages/torch/utils/checkpoint.py", line 903, in check_recomputed_tensors_match raise CheckpointError( torch.utils.checkpoint.CheckpointError: torch.utils.checkpoint: Recomputed values for the following tensors have different metadata than during the forward pass. tensor at position 5: saved metadata: {'shape': torch.Size([64, 64]), 'dtype': torch.bfloat16, 'device': device(type='cpu')} recomputed metadata: {'shape': torch.Size([6, 64]), 'dtype': torch.bfloat16, 'device': device(type='cpu')} ``` Note, this is a (very) minimized version of [this code](https://github.com/dptech-corp/Uni-Fold/blob/7b55789e8c27c83cbe3b2b71065299f9edc4c3d8/unifold/modules/template.py#L256-L340) from Uni-Fold, an open-source reimplementation of AlphaFold 2. The essential parts seem to be - Checkpointing with `checkpoint(..., use_reentrant=False)` - Running a layer twice, once without gradients enabled (called "recycling" in the AF2 paper) - Use of `torch.autocast` ```python3 import torch from torch.utils.checkpoint import checkpoint class PairStack(torch.nn.Module): def __init__(self, size: int): super().__init__() self.block = torch.nn.Sequential( torch.nn.LayerNorm(size), torch.nn.Linear(size, size) ) def forward(self, x): # Issue also occurs if we unconditionally checkpoint() if torch.is_grad_enabled(): return checkpoint(self.block, x, use_reentrant=False, debug=True) else: return self.block(x) class Mod(torch.nn.Module): def __init__(self, size: int): super().__init__() self.stack = PairStack(size) self.linear = torch.nn.Linear(size, size) def forward(self, x): with torch.set_grad_enabled(False): x = self.stack(x) x = self.stack(x) return self.linear(x) def main(): device = torch.device("cpu") size = 64 m = Mod(size=size).to(device) x = torch.linspace(0, 1, 2 * 3 * size).reshape(2, 3, size).to(device) with torch.autocast(device.type, dtype=torch.bfloat16): output = m(x) loss = output.sum() loss.backward() if __name__ == "__main__": main() ``` adding `checkpoint(..., debug=True)` shows that part of the linear layer seems to be lost. IIUC, the linear layer consists of: 1. Reshape tensor into 2D 2. Matmul with weights + bias 3. Reshape tensor back into original shape Strangely, (1) is still done during the recomputation, but (2) & (3) are not, leading to the shape mismatch. ``` Operations executed during the original forward: ('$3: bf16[2, 3, 64]', '$4: f32[2, 3, 1]', '$5: f32[2, 3, 1]') = torch._ops.aten.native_layer_norm.default($0, ['64'], $1, $2, 1e-05) $6: bf16[6, 64] = torch._ops.aten.view.default($3, ['6', '64']) $8: bf16[64, 64] = torch._ops.aten.t.default($7) $10: bf16[6, 64] = torch._ops.aten.addmm.default($9, $6, $8) $11: bf16[2, 3, 64] = torch._ops.aten.view.default($10, ['2', '3', '64']) Operations executed during recomputation: $1: f32[64] = torch._ops.aten.detach.default($0) $2: f32[64] = torch._ops.aten.detach.default($1) $4: f32[64] = torch._ops.aten.detach.default($3) $5: f32[64] = torch._ops.aten.detach.default($4) ('$7: bf16[2, 3, 64]', '$8: f32[2, 3, 1]', '$9: f32[2, 3, 1]') = torch._ops.aten.native_layer_norm.default($6, ['64'], $3, $0, 1e-05) $11: bf16[64] = torch._ops.aten._to_copy.default($10, dtype=torch.bfloat16) $13: bf16[64, 64] = torch._ops.aten._to_copy.default($12, dtype=torch.bfloat16) $14: bf16[6, 64] = torch._ops.aten.view.default($7, ['6', '64']) $15: bf16[64, 64] = torch._ops.aten.t.default($13) $16: bf16[6, 64] = torch._ops.aten.detach.default($14) $17: bf16[6, 64] = torch._ops.aten.detach.default($16) ``` ### Versions This is running in the `pytorch/pytorch:2.5.1-cuda12.4-cudnn9-devel` Docker image. Currently testing on a M1 MacBook Pro, but I have reproduced the issue on an AMD CPU/Nvidia GPU server as well. ``` 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: Ubuntu 22.04.4 LTS (x86_64) GCC version: (Ubuntu 11.4.0-1ubuntu1~22.04) 11.4.0 Clang version: Could not collect CMake version: version 3.30.5 Libc version: glibc-2.35 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.10.14-linuxkit-x86_64-with-glibc2.35 Is CUDA available: False CUDA runtime version: 12.4.131 CUDA_MODULE_LOADING set to: N/A GPU models and configuration: Could not collect Nvidia driver version: Could not collect 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 Byte Order: Little Endian CPU(s): 8 On-line CPU(s) list: 0-7 Vendor ID: Apple Model: 0 Thread(s) per core: 1 Core(s) per socket: 8 Socket(s): 1 Stepping: 0x0 BogoMIPS: 48.00 Flags: fp asimd evtstrm aes pmull sha1 sha2 crc32 atomics fphp asimdhp cpuid asimdrdm jscvt fcma lrcpc dcpop sha3 asimddp sha512 asimdfhm dit uscat ilrcpc flagm sb paca pacg dcpodp flagm2 frint 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: Not affected Vulnerability Spec store bypass: Vulnerable Vulnerability Spectre v1: Mitigation; __user pointer sanitization Vulnerability Spectre v2: Not affected Vulnerability Srbds: Not affected Vulnerability Tsx async abort: Not affected Versions of relevant libraries: [pip3] numpy==2.1.2 [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] optree==0.13.0 [pip3] torch==2.5.1+cu124 [pip3] torchaudio==2.5.1+cu124 [pip3] torchelastic==0.2.2 [pip3] torchvision==0.20.1+cu124 [pip3] triton==3.1.0 [conda] numpy 2.1.2 py311h71ddf71_0 conda-forge [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] optree 0.13.0 pypi_0 pypi [conda] torch 2.5.1+cu124 pypi_0 pypi [conda] torchaudio 2.5.1+cu124 pypi_0 pypi [conda] torchelastic 0.2.2 pypi_0 pypi [conda] torchvision 0.20.1+cu124 pypi_0 pypi [conda] triton 3.1.0 pypi_0 pypi ``` cc @ezyang @gchanan @zou3519 @kadeng @msaroufim @soulitzer @mcarilli @ptrblck @leslie-fang-intel @jgong5
high priority,module: checkpoint,triaged,module: amp (automated mixed precision)
low
Critical
2,713,076,559
rust
compiletest: `needs-*` directive handling mixes `:` and ` ` name-val/name-comment separator
> Remark: I didn't want to adjust how directives accept `:` for name-value form vs name-comment form in this PR, so this temporarily accepts `//@ needs-target-has-atomic 8,16,ptr` but I want to only accept the colon form in the future. _Originally posted by @jieyouxu in https://github.com/rust-lang/rust/pull/133736#discussion_r1865325663_
E-hard,T-compiler,T-bootstrap,C-bug,A-compiletest,E-tedious
low
Minor
2,713,112,277
deno
TypeError: process.cwd is not a function when trying to run typeorm migration:run
Version: Deno 2.1.2 Mac M1 Pro@ I am trying to run the typeorm CLI to generate or run migration files. According to the documentation, process.cwd should be defined when using a node/npm module: https://docs.deno.com/runtime/fundamentals/node/#node.js-global-objects However, here is the error I encounter: ``` deno $ deno task typeorm Task typeorm typeorm migration:run -d ./src/data-source.ts Error during migration run: TypeError: process.cwd is not a function at Object.handler (file:///Library/Caches/deno/npm/registry.npmjs.org/typeorm/0.3.20/commands/MigrationRunCommand.js:40:106) at file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:9229 at j (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:5192) at _.handleValidationAndGetResult (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:9198) at _.applyMiddlewareAndGetResult (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:9840) at _.runCommand (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:7467) at te.[runYargsParserAndExecuteCommands] (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:58775) at te.parse (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:40714) at te.get [as argv] (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:62264) at Object.<anonymous> (file:///Library/Caches/deno/npm/registry.npmjs.org/typeorm/0.3.20/cli.js:41:24) typeorm migration:run Runs all pending migrations. Options: -h, --help Show help [boolean] -d, --dataSource Path to the file where your DataSource instance is defined. [required] -t, --transaction Indicates if transaction should be used or not for migration run. Enabled by default. [default: "default"] -f, --fake Fakes running the migrations if table schema has already been changed manually or externally (e.g. through another project) [boolean] [default: false] -v, --version Show version number [boolean] TypeError: process.exit is not a function at Object.handler (file:///Library/Caches/deno/npm/registry.npmjs.org/typeorm/0.3.20/commands/MigrationRunCommand.js:77:21) at file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:9229 at j (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:5192) at _.handleValidationAndGetResult (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:9198) at _.applyMiddlewareAndGetResult (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:9840) at _.runCommand (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:7467) at te.[runYargsParserAndExecuteCommands] (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:58775) at te.parse (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:40714) at te.get [as argv] (file:///Library/Caches/deno/npm/registry.npmjs.org/yargs/17.7.2/build/index.cjs:1:62264) at Object.<anonymous> (file:///Library/Caches/deno/npm/registry.npmjs.org/typeorm/0.3.20/cli.js:41:24) ``` Steps to reproduce: ``` // deno.json { "tasks": { "typeorm": "typeorm migration:run -d ./src/data-source.ts" }, "imports": { "reflect-metadata": "npm:reflect-metadata", "typeorm": "npm:typeorm" } } // src/data-source.ts import "reflect-metadata" import { DataSource } from "typeorm" import { User } from "./entity/User" export const AppDataSource = new DataSource({ type: "postgres", host: "localhost", port: 5432, username: "test", password: "test", database: "test", synchronize: true, logging: false, entities: [User], migrations: [], subscribers: [], }) // then run `deno task typeorm` ```
bug,needs info,node compat
low
Critical
2,713,157,594
rust
Bad suggestion in dependency_on_unit_never_type_fallback for fragment coming from a macro input
The following in 2021: ```rust #![warn(dependency_on_unit_never_type_fallback)] pub fn foo<T: Default>() -> Result<T, ()> { Err(()) } macro_rules! m { ($x: ident) => { pub fn test() -> Result<(), ()> { $x()?; Ok(()) } }; } m!(foo); ``` produces a suggestion that results in the following change: ```diff @@ -13,6 +13,6 @@ }; } -m!(foo); +m!(foo::<()>); ``` However, this is not valid because `foo::<()>` is not an ident, and you get an error about no rules matching. ### Possible solutions I don't know if this is fixable, since I can't think of a suggestion that would actually be valid in this scenario. At a minimum, I would say that it should not give a suggestion in this scenario (or at least make it MaybeIncorrect). ### Meta ``` rustc 1.85.0-nightly (7442931d4 2024-11-30) binary: rustc commit-hash: 7442931d49b199ad0a1cc0f8ca54e327b5139b66 commit-date: 2024-11-30 host: aarch64-unknown-linux-gnu release: 1.85.0-nightly LLVM version: 19.1.4 ```
T-compiler,C-bug,A-suggestion-diagnostics,D-invalid-suggestion,D-edition,A-edition-2024,L-dependency_on_unit_never_type_fallback,I-edition-triaged
low
Critical
2,713,174,568
godot
Confusing debugger message caused by Debugger trying to init autoloaded custom classes that requires 1 or more arguments with 0 arguments
### Tested versions - Reproducible in: v4.3.stable.official [77dcf97d8] ### System information Windows 11 ### Issue description I'm sorry if this isn't actually a bug. There is a confusing debugger message caused by the Debugger trying to init autoloaded custom classes that requires 1 or more arguments with 0 arguments (Is it trying to load them like this for no reason?). The game I was making still runs fine, and the classes setup like this are usable, it just seems like the debugger is doing something odd that could confuse people that are trying to debug their work (like it did to me: I thought my arguments were being ignored until I reduced the setup for my investigation to almost nothing). If my terminology anywhere is wrong, please feel free to correct me in a comment as it will improve my future bug reports. I'm still new to Godot. :) ### Steps to reproduce This test class is not used in other code, it's just a standalone file added in autoloaded settings with "Global Variable" unchecked. "res://AutloadDebuggerTest.gd": ``` extends Node class_name AutoloadDebuggerTest func _init(test) -> void: pass ``` Error in debugger: ``` E 0:00:01:0541 _create_instance: Error constructing a GDScriptInstance: 'Node(AutloadDebuggerTest.gd)::_init': Method expected 1 arguments, but called with 0 <C++ Error> Method/function failed. Returning: nullptr <C++ Source> modules/gdscript/gdscript.cpp:196 @ _create_instance() ``` Autoload settings: ![Image](https://github.com/user-attachments/assets/a69d4ba6-0ce8-4ec7-9d84-c88d93134d8f) It also seems to happen in `4.2.2`, but it doesn't give you the name of the script or provide as much detail ``` E 0:00:01:0289 _create_instance: Error constructing a GDScriptInstance. <C++ Error> Method/function failed. Returning: nullptr <C++ Source> modules/gdscript/gdscript.cpp:188 @ _create_instance() ``` ### Minimal reproduction project (MRP) Any project, even a new one.
enhancement,discussion,topic:core,usability
low
Critical
2,713,230,559
storybook
Rollup: Portable stories limitations/discrepancies
This issue tracks all the known limitations of portable stories, some more severe than others. ```[tasklist] - [ ] #29771 - [ ] #29772 - [ ] #29775 - [ ] #29776 - [ ] #29778 - [ ] #29779 - [ ] #29773 - [ ] #29774 - [ ] #29777 - [ ] #29780 - [ ] #29781 - [ ] #29782 - [ ] #29783 ```
bug,portable stories,addon: test
low
Minor
2,713,249,883
pytorch
Observing CUDA OOM errors in more recent versions of PyTorch nightly (post-`2.6.0.dev20241126`)
### ๐Ÿ› Describe the bug We've been running into issues with CUDA CI on FBGEMM in OSS: ``` E torch.OutOfMemoryError: CUDA out of memory. Tried to allocate 14.00 MiB. GPU 0 has a total capacity of 21.98 GiB of which 2.44 MiB is free. Including non-PyTorch memory, this process has 21.96 GiB memory in use. Of the allocated memory 21.67 GiB is allocated by PyTorch, and 9.24 MiB is reserved by PyTorch but unallocated. If reserved but unallocated memory is large try setting PYTORCH_CUDA_ALLOC_CONF=expandable_segments:True to avoid fragmentation. See documentation for Memory Management (https://pytorch.org/docs/stable/notes/cuda.html#environment-variables) ``` (https://github.com/pytorch/FBGEMM/actions/runs/12119841693/job/33788952412) This started happening last week, and at first I thought it was due to a bad commit that landed in FBGEMM OSS. The last commit that passed the test was https://github.com/pytorch/FBGEMM/commit/6eb379a96d55a2373c0a3ad4d7b46567d3b307d6, but I found that the post-land CI passed while at the same time, the nightly builds that came afterwards failed with the error signature. From what I can tell, `torch-2.6.0.dev20241126` appears to be the last good build for us. Im currently testing this hypothesis out by rerunning the FBGEMM CUDA CI against `torch-2.6.0.dev20241126`, but Im wondering if there's issues with the instances as well, since we don't normally run into OOM errors. cc @ptrblck @msaroufim @eqy @seemethere @malfet @pytorch/pytorch-dev-infra @huydhn ### Versions Not exactly sure, but appears to be post-`2.6.0.dev20241126`
module: cuda,module: ci,triaged
medium
Critical
2,713,251,830
godot
Landscape orientation is shown rotated upside down in Firefox for Android (web export)
### Tested versions - Reproducible in v4.3.stable.flathub [77dcf97d8] ### System information Android 10; Samsung Galaxy J6+; Browser: Fennec (Firefox) v133.0.0 (F-Droid); Compatibility renderer; GLES 3.0 / WebGL 2.0; Logs "Using Device: Mozilla - Adreno (TM) 330, or similar" ### Issue description I tried the web export on a mobile browser (on Firefox/Fennec in Android), but there's several issues. Firstly, I'm sometimes getting out of memory error (probably the same as #70621) on Android. I didn't get it when enabling PWA (I don't know if it's a coincidence or if it's fixing it somehow). Anyway, this is just for context (separate issue). The main issue is that when the game is in landscape (or sensor_landscape) mode, the image shows rotated 180 degrees upside down. ***Strangely it's just the image*** -- the clickable areas are still triggered according to the correct orientation, so ***there is a mismatch between what is shown and what is processed***. No idea what is happening -- maybe something is rotating the canvas twice on landscape? E.g. both at HTML/JS and internal Godot WASM level? I also tried enabling the "Desktop Site" toggle in Firefox, but it didn't have any difference, it still has the issue. ### Steps to reproduce On a new empty project for web (compatibility renderer): 1. Create a simple scene with an ImageButton node anchored to bottom-right of the screen. 2. Make clicking the button do something visible, e.g. change the background color. 3. Set `display/window/handheld/orientation` to Landscape on project settings. 4. These settings might be relevant as well? - `display/window/stretch/mode` = canvas_items - `display/window/stretch/aspect` = keep_height 5. Export a single-thread web project (you might want to enable PWA and set orientation to Landscape; though it doesn't seem relevant). 6. Start a server e.g. with `npx serve` on the output folder and access it by IP from a Firefox browser on an Android device. 7. If it takes too long to load, you may want to connect Desktop Firefox to it to see the remote console (you might need to kill ADB first); as it might have the out of memory error issue. If not, then it should load the scene. Side note: This test would be much simpler if the "Start HTTP Server" feature in Godot allowed accessing the port from other devices on the same LAN, such as from a phone. 8. Let the phone orientation unlocked. You should see it correctly in portrait, but upside-down in landscape. Clicking the button should seemingly do nothing, but it's clickable on the opposite side to where it's shown (at the "correct" location). ### Minimal reproduction project (MRP) I expect this to be reproducible on an empty project as said above (thought I didn't create one just to test this). I can try to provide one if it's not reproducible. Here's the export preset: ```ini [preset.2] name="Web" platform="Web" runnable=true advanced_options=true dedicated_server=false custom_features="" export_filter="all_resources" include_filter="" exclude_filter="~~*" export_path=".build/Web/index.html" encryption_include_filters="" encryption_exclude_filters="" encrypt_pck=false encrypt_directory=false script_export_mode=2 [preset.2.options] custom_template/debug="" custom_template/release="" variant/extensions_support=false variant/thread_support=false vram_texture_compression/for_desktop=true vram_texture_compression/for_mobile=true html/export_icon=true html/custom_html_shell="" html/head_include="" html/canvas_resize_policy=2 html/focus_canvas_on_start=true html/experimental_virtual_keyboard=false progressive_web_app/enabled=true progressive_web_app/ensure_cross_origin_isolation_headers=true progressive_web_app/offline_page="" progressive_web_app/display=1 progressive_web_app/orientation=1 progressive_web_app/icon_144x144="" progressive_web_app/icon_180x180="" progressive_web_app/icon_512x512="" progressive_web_app/background_color=Color(0, 0, 0, 1) ```
bug,platform:web,needs testing,topic:export
low
Critical
2,713,261,783
storybook
[Bug] SB Channel events are not doing anything in portable stories
### [Storybook Channel](https://storybook.js.org/docs/addons/addons-api#usechannel) Storybook relies a lot in the Storybook channel. It only works correctly in Storybook, as most of places where channel events are registered are part of Storybook manager UI. In portable stories, it's just mocked. This causes issues in case stories or decorators actually need to emit/listen to events. One very clear example is the `useArgs` hook from `@storybook/preview-api`, which relies on emitting events, and therefore it won't do anything in portable stories. It so happens that many people use that hook because they want the controls panel to update as they interact with their components. ๐Ÿ’กย Solutions/Action items: - Honestly not sure, we need to discuss/research - (From Michael) Specifically for useArgs, we could listen to its event in the mocked channel in PS and throw an error mentioning it's not supported (great short term solution)
bug,sev:S3,portable stories
low
Critical