Unnamed: 0
int64 3
832k
| id
float64 2.49B
32.1B
| type
stringclasses 1
value | created_at
stringlengths 19
19
| repo
stringlengths 7
112
| repo_url
stringlengths 36
141
| action
stringclasses 3
values | title
stringlengths 2
742
| labels
stringlengths 4
431
| body
stringlengths 5
239k
| index
stringclasses 10
values | text_combine
stringlengths 96
240k
| label
stringclasses 2
values | text
stringlengths 96
200k
| binary_label
int64 0
1
|
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
340
| 2,577,836,560
|
IssuesEvent
|
2015-02-12 19:25:45
|
Elgg/Elgg
|
https://api.github.com/repos/Elgg/Elgg
|
opened
|
Non-private _elgg_* functions fate
|
cleanup dev usability easy
|
We have following functions not marked explicitly as private:
- `_elgg_add_metastring` - not used in the core, warning says explicitly to not use it `ou should not call this directly. Use elgg_get_metastring_id().`
- `_elgg_comments_permissions_override` - missing `@access private` tag?
- `_elgg_comments_notification_email_subject` - missing `@access private` tag?
I'd just remove the first one and mark next two as private as the prefix is petty much giving up that it's internal thing. Objections?
BTW we have 184 `_elgg_*` functions. Awfully a lot of stuff in global scope.
|
True
|
Non-private _elgg_* functions fate - We have following functions not marked explicitly as private:
- `_elgg_add_metastring` - not used in the core, warning says explicitly to not use it `ou should not call this directly. Use elgg_get_metastring_id().`
- `_elgg_comments_permissions_override` - missing `@access private` tag?
- `_elgg_comments_notification_email_subject` - missing `@access private` tag?
I'd just remove the first one and mark next two as private as the prefix is petty much giving up that it's internal thing. Objections?
BTW we have 184 `_elgg_*` functions. Awfully a lot of stuff in global scope.
|
usab
|
non private elgg functions fate we have following functions not marked explicitly as private elgg add metastring not used in the core warning says explicitly to not use it ou should not call this directly use elgg get metastring id elgg comments permissions override missing access private tag elgg comments notification email subject missing access private tag i d just remove the first one and mark next two as private as the prefix is petty much giving up that it s internal thing objections btw we have elgg functions awfully a lot of stuff in global scope
| 1
|
324,893
| 9,913,926,423
|
IssuesEvent
|
2019-06-28 13:11:45
|
Sinapse-Energia/bootloader-stm32
|
https://api.github.com/repos/Sinapse-Energia/bootloader-stm32
|
opened
|
[Cortex - M3] To adapt the BL to new behaviour of HLK and take into account the retries
|
CortexM3 Priority: medium Size: 8 Status: new Type: enhancement
|
The HLK driver have been updated in the client side of the program in order to manage the configuration in a easy and sustainable way. Here the linked task: https://github.com/Sinapse-Energia/M2M-CommBoard/issues/155
It is necessary to modify the BL to work with this behaviour in a secure way, allowing the reset if the HLK if the BL is not able to connect to internet.
|
1.0
|
[Cortex - M3] To adapt the BL to new behaviour of HLK and take into account the retries - The HLK driver have been updated in the client side of the program in order to manage the configuration in a easy and sustainable way. Here the linked task: https://github.com/Sinapse-Energia/M2M-CommBoard/issues/155
It is necessary to modify the BL to work with this behaviour in a secure way, allowing the reset if the HLK if the BL is not able to connect to internet.
|
non_usab
|
to adapt the bl to new behaviour of hlk and take into account the retries the hlk driver have been updated in the client side of the program in order to manage the configuration in a easy and sustainable way here the linked task it is necessary to modify the bl to work with this behaviour in a secure way allowing the reset if the hlk if the bl is not able to connect to internet
| 0
|
26,265
| 5,240,988,069
|
IssuesEvent
|
2017-01-31 14:39:34
|
saltstack/salt
|
https://api.github.com/repos/saltstack/salt
|
opened
|
Missing/obsolete splay module (module executors) documentation.
|
Documentation
|
### Description of Issue/Question
Splay execution module became a part of the module executors subsystem but it's documentation is obsolete and the module executors subsystem isn't documented well at all.
### Setup
N/A
### Steps to Reproduce Issue
N/A
### Versions Report
2016.*
|
1.0
|
Missing/obsolete splay module (module executors) documentation. - ### Description of Issue/Question
Splay execution module became a part of the module executors subsystem but it's documentation is obsolete and the module executors subsystem isn't documented well at all.
### Setup
N/A
### Steps to Reproduce Issue
N/A
### Versions Report
2016.*
|
non_usab
|
missing obsolete splay module module executors documentation description of issue question splay execution module became a part of the module executors subsystem but it s documentation is obsolete and the module executors subsystem isn t documented well at all setup n a steps to reproduce issue n a versions report
| 0
|
27,177
| 27,786,639,565
|
IssuesEvent
|
2023-03-17 04:14:52
|
microsoft/win32metadata
|
https://api.github.com/repos/microsoft/win32metadata
|
closed
|
Avoiding duplicate type names
|
usability
|
Duplicate type names are used today to let the same struct or function have distinct per-architecture definitions. The canonical example is the `CONTEXT` struct. One of the reasons that it is so hard to fix "the CONTEXT problem" (#1044) is that it is very difficult to manipulate the individual per-architecture definitions since their names are ambiguous. As I started working on metadata processing and generation I've also discovered this on the Rust side where it makes it very difficult to uniquely refer to a type since the ECMA-335 `TypeRef` table is meant to identify type references but it only lets you specify an assembly/namespace/name tuple so there's no way to reliably identify a specific definition across assemblies.
I suggest we switch to a model where we have strictly unique type names and add an optional "Overload" field to the `SupportedArchitecture` attribute that lets languages find the "good name" for a type if it has been overloaded.
So instead of this:
```C#
[SupportedArchitecture(Architecture.X86)]
public struct CONTEXT {..}
[SupportedArchitecture(Architecture.X64)]
public struct CONTEXT {..}
```
We would have something like this:
```C#
[SupportedArchitecture(Architecture.X86, "CONTEXT")]
public struct CONTEXT_X86 {..}
[SupportedArchitecture(Architecture.X64, "CONTEXT")]
public struct CONTEXT_X64 {..}
```
Language bindings can hide the mangled name and only show overloaded names as before, but tools can quickly and efficiently identify and process unique definitions.
|
True
|
Avoiding duplicate type names - Duplicate type names are used today to let the same struct or function have distinct per-architecture definitions. The canonical example is the `CONTEXT` struct. One of the reasons that it is so hard to fix "the CONTEXT problem" (#1044) is that it is very difficult to manipulate the individual per-architecture definitions since their names are ambiguous. As I started working on metadata processing and generation I've also discovered this on the Rust side where it makes it very difficult to uniquely refer to a type since the ECMA-335 `TypeRef` table is meant to identify type references but it only lets you specify an assembly/namespace/name tuple so there's no way to reliably identify a specific definition across assemblies.
I suggest we switch to a model where we have strictly unique type names and add an optional "Overload" field to the `SupportedArchitecture` attribute that lets languages find the "good name" for a type if it has been overloaded.
So instead of this:
```C#
[SupportedArchitecture(Architecture.X86)]
public struct CONTEXT {..}
[SupportedArchitecture(Architecture.X64)]
public struct CONTEXT {..}
```
We would have something like this:
```C#
[SupportedArchitecture(Architecture.X86, "CONTEXT")]
public struct CONTEXT_X86 {..}
[SupportedArchitecture(Architecture.X64, "CONTEXT")]
public struct CONTEXT_X64 {..}
```
Language bindings can hide the mangled name and only show overloaded names as before, but tools can quickly and efficiently identify and process unique definitions.
|
usab
|
avoiding duplicate type names duplicate type names are used today to let the same struct or function have distinct per architecture definitions the canonical example is the context struct one of the reasons that it is so hard to fix the context problem is that it is very difficult to manipulate the individual per architecture definitions since their names are ambiguous as i started working on metadata processing and generation i ve also discovered this on the rust side where it makes it very difficult to uniquely refer to a type since the ecma typeref table is meant to identify type references but it only lets you specify an assembly namespace name tuple so there s no way to reliably identify a specific definition across assemblies i suggest we switch to a model where we have strictly unique type names and add an optional overload field to the supportedarchitecture attribute that lets languages find the good name for a type if it has been overloaded so instead of this c public struct context public struct context we would have something like this c public struct context public struct context language bindings can hide the mangled name and only show overloaded names as before but tools can quickly and efficiently identify and process unique definitions
| 1
|
294,666
| 22,159,814,219
|
IssuesEvent
|
2022-06-04 10:26:52
|
EddieHubCommunity/.github
|
https://api.github.com/repos/EddieHubCommunity/.github
|
closed
|
[DOCS] The .github-private README is being displayed, not this repo profile readme.
|
documentation
|
### Description
I am not sure if it was intended, but the EddieHub profile README is looking like this:

This has come from this repo [https://github.com/EddieHubCommunity/.github-private/blob/main/profile/README.md](https://github.com/EddieHubCommunity/.github-private/blob/main/profile/README.md)
However, here on this repo, it is looking like this, how it used to:

Is this the new README? I have not been active on EddieHub recently, and when I came back, I saw how the README changed, yet it was the same still here.
Thank you.
|
1.0
|
[DOCS] The .github-private README is being displayed, not this repo profile readme. - ### Description
I am not sure if it was intended, but the EddieHub profile README is looking like this:

This has come from this repo [https://github.com/EddieHubCommunity/.github-private/blob/main/profile/README.md](https://github.com/EddieHubCommunity/.github-private/blob/main/profile/README.md)
However, here on this repo, it is looking like this, how it used to:

Is this the new README? I have not been active on EddieHub recently, and when I came back, I saw how the README changed, yet it was the same still here.
Thank you.
|
non_usab
|
the github private readme is being displayed not this repo profile readme description i am not sure if it was intended but the eddiehub profile readme is looking like this this has come from this repo however here on this repo it is looking like this how it used to is this the new readme i have not been active on eddiehub recently and when i came back i saw how the readme changed yet it was the same still here thank you
| 0
|
22,242
| 18,871,606,191
|
IssuesEvent
|
2021-11-13 09:16:06
|
ClickHouse/ClickHouse
|
https://api.github.com/repos/ClickHouse/ClickHouse
|
closed
|
IDiskRemote should use DiskPtr to handle the file system operations
|
usability
|
In class IDiskRemote, all metadata file system operations use os file system api directly.
There is little extendiability if we want store the metadata of HDFS or S3 into distributed file system.
So I suggest change this way by using DiskPtr and will propose a pull request.
In addition, metadata of HDFS or S3 only store local FS which is not sharable.
|
True
|
IDiskRemote should use DiskPtr to handle the file system operations - In class IDiskRemote, all metadata file system operations use os file system api directly.
There is little extendiability if we want store the metadata of HDFS or S3 into distributed file system.
So I suggest change this way by using DiskPtr and will propose a pull request.
In addition, metadata of HDFS or S3 only store local FS which is not sharable.
|
usab
|
idiskremote should use diskptr to handle the file system operations in class idiskremote all metadata file system operations use os file system api directly there is little extendiability if we want store the metadata of hdfs or into distributed file system so i suggest change this way by using diskptr and will propose a pull request in addition metadata of hdfs or only store local fs which is not sharable
| 1
|
20,360
| 15,342,043,015
|
IssuesEvent
|
2021-02-27 14:39:05
|
aroberge/friendly-traceback
|
https://api.github.com/repos/aroberge/friendly-traceback
|
opened
|
Implement undo
|
enhancement usability
|
If a mistake is done when typing a friendly command (such as `whi()` instead of `why()`), this triggers a new exception, losing all the information about the original exception. It might be useful to implement an `undo()` command to go back in history.
|
True
|
Implement undo - If a mistake is done when typing a friendly command (such as `whi()` instead of `why()`), this triggers a new exception, losing all the information about the original exception. It might be useful to implement an `undo()` command to go back in history.
|
usab
|
implement undo if a mistake is done when typing a friendly command such as whi instead of why this triggers a new exception losing all the information about the original exception it might be useful to implement an undo command to go back in history
| 1
|
30,752
| 8,584,913,570
|
IssuesEvent
|
2018-11-14 00:48:45
|
DynamoRIO/drmemory
|
https://api.github.com/repos/DynamoRIO/drmemory
|
closed
|
cmake 2.8.12 policy CMP0022 warns about INTERFACE_LINK_LIBRARIES
|
Component-Build Migrated Priority-Medium
|
_From [[email protected]](https://code.google.com/u/113079830533410703845/) on March 21, 2014 18:35:33_
What steps will reproduce the problem? 1.cmake-gui .. on command line
2.configure
3.Visual Studio 10
4.Use Default Native Compiler
5.Finish What is the expected output? What do you see instead? Expected Output: Configuring done with no warning's
Result Output: Getting lots of warnings and then Configuring Done. What version of the product are you using? On what operating system? Using cmake version 2.8.12.2 using Qt 4.6.2 , Windows 8.1 x64 build Please provide any additional information below. Warning's:
CMake Warning (dev) at CMakeLists.txt:1428 (export):
Policy CMP0022 is not set: INTERFACE_LINK_LIBRARIES defines the link
interface. Run "cmake --help-policy CMP0022" for policy details. Use the
cmake_policy command to set the policy and suppress this warning.
Target "drsyscall" has an INTERFACE_LINK_LIBRARIES property which differs
from its LINK_INTERFACE_LIBRARIES properties.
INTERFACE_LINK_LIBRARIES:
```
dynamorio;drmgr;drcontainers;C:/drmemory-original/build/dynamorio/core/ntdll_imports.lib
```
LINK_INTERFACE_LIBRARIES:
Call Stack (most recent call first):
drsyscall/CMakeLists.txt:89 (export_target)
drsyscall/CMakeLists.txt:108 (export_drsyscall_target)
This warning is for project developers. Use -Wno-dev to suppress it.
CMake Warning (dev) in dynamorio/ext/drsyms/CMakeLists.txt:
Policy CMP0022 is not set: INTERFACE_LINK_LIBRARIES defines the link
interface. Run "cmake --help-policy CMP0022" for policy details. Use the
cmake_policy command to set the policy and suppress this warning.
Target "drsyms" has an INTERFACE_LINK_LIBRARIES property which differs from
its LINK_INTERFACE_LIBRARIES properties.
INTERFACE_LINK_LIBRARIES:
```
libcpmt;libcmt;dynamorio;dbghelp;C:/drmemory-original/build/dynamorio/ext/drsyms/dbghelp_imports.lib;drcontainers;C:/drmemory-original/dynamorio/ext/drsyms/libelftc-pecoff/lib32/dwarf.lib;C:/drmemory-original/dynamorio/ext/drsyms/libelftc-pecoff/lib32/elftc.lib
```
LINK_INTERFACE_LIBRARIES:
This warning is for project developers. Use -Wno-dev to suppress it.
CMake Warning (dev) at CMakeLists.txt:1428 (export):
Policy CMP0022 is not set: INTERFACE_LINK_LIBRARIES defines the link
interface. Run "cmake --help-policy CMP0022" for policy details. Use the
cmake_policy command to set the policy and suppress this warning.
Target "drsymcache" has an INTERFACE_LINK_LIBRARIES property which differs
from its LINK_INTERFACE_LIBRARIES properties.
INTERFACE_LINK_LIBRARIES:
```
dynamorio;drcontainers;drmgr;drsyms
```
LINK_INTERFACE_LIBRARIES:
Call Stack (most recent call first):
drsymcache/CMakeLists.txt:61 (export_target)
drsymcache/CMakeLists.txt:78 (export_drsymcache_target)
This warning is for project developers. Use -Wno-dev to suppress it.
CMake Warning (dev) at CMakeLists.txt:1428 (export):
Policy CMP0022 is not set: INTERFACE_LINK_LIBRARIES defines the link
interface. Run "cmake --help-policy CMP0022" for policy details. Use the
cmake_policy command to set the policy and suppress this warning.
Target "umbra" has an INTERFACE_LINK_LIBRARIES property which differs from
its LINK_INTERFACE_LIBRARIES properties.
INTERFACE_LINK_LIBRARIES:
```
dynamorio;drmgr;drcontainers;C:/drmemory-original/build/dynamorio/core/ntdll_imports.lib
```
LINK_INTERFACE_LIBRARIES:
Call Stack (most recent call first):
umbra/CMakeLists.txt:64 (export_target)
umbra/CMakeLists.txt:84 (export_umbra_target)
This warning is for project developers. Use -Wno-dev to suppress it.
_Original issue: http://code.google.com/p/drmemory/issues/detail?id=1481_
|
1.0
|
cmake 2.8.12 policy CMP0022 warns about INTERFACE_LINK_LIBRARIES - _From [[email protected]](https://code.google.com/u/113079830533410703845/) on March 21, 2014 18:35:33_
What steps will reproduce the problem? 1.cmake-gui .. on command line
2.configure
3.Visual Studio 10
4.Use Default Native Compiler
5.Finish What is the expected output? What do you see instead? Expected Output: Configuring done with no warning's
Result Output: Getting lots of warnings and then Configuring Done. What version of the product are you using? On what operating system? Using cmake version 2.8.12.2 using Qt 4.6.2 , Windows 8.1 x64 build Please provide any additional information below. Warning's:
CMake Warning (dev) at CMakeLists.txt:1428 (export):
Policy CMP0022 is not set: INTERFACE_LINK_LIBRARIES defines the link
interface. Run "cmake --help-policy CMP0022" for policy details. Use the
cmake_policy command to set the policy and suppress this warning.
Target "drsyscall" has an INTERFACE_LINK_LIBRARIES property which differs
from its LINK_INTERFACE_LIBRARIES properties.
INTERFACE_LINK_LIBRARIES:
```
dynamorio;drmgr;drcontainers;C:/drmemory-original/build/dynamorio/core/ntdll_imports.lib
```
LINK_INTERFACE_LIBRARIES:
Call Stack (most recent call first):
drsyscall/CMakeLists.txt:89 (export_target)
drsyscall/CMakeLists.txt:108 (export_drsyscall_target)
This warning is for project developers. Use -Wno-dev to suppress it.
CMake Warning (dev) in dynamorio/ext/drsyms/CMakeLists.txt:
Policy CMP0022 is not set: INTERFACE_LINK_LIBRARIES defines the link
interface. Run "cmake --help-policy CMP0022" for policy details. Use the
cmake_policy command to set the policy and suppress this warning.
Target "drsyms" has an INTERFACE_LINK_LIBRARIES property which differs from
its LINK_INTERFACE_LIBRARIES properties.
INTERFACE_LINK_LIBRARIES:
```
libcpmt;libcmt;dynamorio;dbghelp;C:/drmemory-original/build/dynamorio/ext/drsyms/dbghelp_imports.lib;drcontainers;C:/drmemory-original/dynamorio/ext/drsyms/libelftc-pecoff/lib32/dwarf.lib;C:/drmemory-original/dynamorio/ext/drsyms/libelftc-pecoff/lib32/elftc.lib
```
LINK_INTERFACE_LIBRARIES:
This warning is for project developers. Use -Wno-dev to suppress it.
CMake Warning (dev) at CMakeLists.txt:1428 (export):
Policy CMP0022 is not set: INTERFACE_LINK_LIBRARIES defines the link
interface. Run "cmake --help-policy CMP0022" for policy details. Use the
cmake_policy command to set the policy and suppress this warning.
Target "drsymcache" has an INTERFACE_LINK_LIBRARIES property which differs
from its LINK_INTERFACE_LIBRARIES properties.
INTERFACE_LINK_LIBRARIES:
```
dynamorio;drcontainers;drmgr;drsyms
```
LINK_INTERFACE_LIBRARIES:
Call Stack (most recent call first):
drsymcache/CMakeLists.txt:61 (export_target)
drsymcache/CMakeLists.txt:78 (export_drsymcache_target)
This warning is for project developers. Use -Wno-dev to suppress it.
CMake Warning (dev) at CMakeLists.txt:1428 (export):
Policy CMP0022 is not set: INTERFACE_LINK_LIBRARIES defines the link
interface. Run "cmake --help-policy CMP0022" for policy details. Use the
cmake_policy command to set the policy and suppress this warning.
Target "umbra" has an INTERFACE_LINK_LIBRARIES property which differs from
its LINK_INTERFACE_LIBRARIES properties.
INTERFACE_LINK_LIBRARIES:
```
dynamorio;drmgr;drcontainers;C:/drmemory-original/build/dynamorio/core/ntdll_imports.lib
```
LINK_INTERFACE_LIBRARIES:
Call Stack (most recent call first):
umbra/CMakeLists.txt:64 (export_target)
umbra/CMakeLists.txt:84 (export_umbra_target)
This warning is for project developers. Use -Wno-dev to suppress it.
_Original issue: http://code.google.com/p/drmemory/issues/detail?id=1481_
|
non_usab
|
cmake policy warns about interface link libraries from on march what steps will reproduce the problem cmake gui on command line configure visual studio use default native compiler finish what is the expected output what do you see instead expected output configuring done with no warning s result output getting lots of warnings and then configuring done what version of the product are you using on what operating system using cmake version using qt windows build please provide any additional information below warning s cmake warning dev at cmakelists txt export policy is not set interface link libraries defines the link interface run cmake help policy for policy details use the cmake policy command to set the policy and suppress this warning target drsyscall has an interface link libraries property which differs from its link interface libraries properties interface link libraries dynamorio drmgr drcontainers c drmemory original build dynamorio core ntdll imports lib link interface libraries call stack most recent call first drsyscall cmakelists txt export target drsyscall cmakelists txt export drsyscall target this warning is for project developers use wno dev to suppress it cmake warning dev in dynamorio ext drsyms cmakelists txt policy is not set interface link libraries defines the link interface run cmake help policy for policy details use the cmake policy command to set the policy and suppress this warning target drsyms has an interface link libraries property which differs from its link interface libraries properties interface link libraries libcpmt libcmt dynamorio dbghelp c drmemory original build dynamorio ext drsyms dbghelp imports lib drcontainers c drmemory original dynamorio ext drsyms libelftc pecoff dwarf lib c drmemory original dynamorio ext drsyms libelftc pecoff elftc lib link interface libraries this warning is for project developers use wno dev to suppress it cmake warning dev at cmakelists txt export policy is not set interface link libraries defines the link interface run cmake help policy for policy details use the cmake policy command to set the policy and suppress this warning target drsymcache has an interface link libraries property which differs from its link interface libraries properties interface link libraries dynamorio drcontainers drmgr drsyms link interface libraries call stack most recent call first drsymcache cmakelists txt export target drsymcache cmakelists txt export drsymcache target this warning is for project developers use wno dev to suppress it cmake warning dev at cmakelists txt export policy is not set interface link libraries defines the link interface run cmake help policy for policy details use the cmake policy command to set the policy and suppress this warning target umbra has an interface link libraries property which differs from its link interface libraries properties interface link libraries dynamorio drmgr drcontainers c drmemory original build dynamorio core ntdll imports lib link interface libraries call stack most recent call first umbra cmakelists txt export target umbra cmakelists txt export umbra target this warning is for project developers use wno dev to suppress it original issue
| 0
|
16,481
| 10,963,237,556
|
IssuesEvent
|
2019-11-27 19:10:54
|
StrangeLoopGames/EcoIssues
|
https://api.github.com/repos/StrangeLoopGames/EcoIssues
|
closed
|
Creation of Districts and Demographics not possible in the law they are meant to be used in
|
Feature Laws Usability
|
Copied from here: https://github.com/StrangeLoopGames/EcoIssues/issues/10112
|
True
|
Creation of Districts and Demographics not possible in the law they are meant to be used in - Copied from here: https://github.com/StrangeLoopGames/EcoIssues/issues/10112
|
usab
|
creation of districts and demographics not possible in the law they are meant to be used in copied from here
| 1
|
21,343
| 16,851,359,660
|
IssuesEvent
|
2021-06-20 15:22:54
|
WordPress/gutenberg
|
https://api.github.com/repos/WordPress/gutenberg
|
closed
|
Reusable block: Clicking name/title should bring focus to sidebar name field similar to the Navigation editor.
|
[Feature] Reusable Blocks [Type] Enhancement
|
## What problem does this address?
Clicking the title/name opens a Transform to drop down.
https://user-images.githubusercontent.com/5323259/116752552-0841fc80-aa06-11eb-8244-76cbaf3c76e9.mp4
Other blocks one clicks the block icon to open the Transform to drop down.
https://user-images.githubusercontent.com/5323259/116755015-0aa65580-aa0a-11eb-83f2-add80425c6f9.mp4
## What is your proposed solution?
Comparing to the Navigation Editor screen.
https://user-images.githubusercontent.com/5323259/116752118-51458100-aa05-11eb-85a5-d388dcaaca6e.mp4
We see the icon to the left and clicking the "All Pages" brings focus to the Name "All Pages" in the sidebar.
For Reusable blocks:
Consistency with other blocks.
Clicking the Reusable blocks icon should open the Transform to drop down.
Following the same method as Navigation Editor.
Clicking the name should bring focus to the sidebar name field.
It would also use a similar method as Reusable blocks work in WordPress 5.7 when the Gutenberg plugin is not activated.
Navigation Editor: Allow menu renaming
https://github.com/WordPress/gutenberg/pull/29012
@jameskoster
|
True
|
Reusable block: Clicking name/title should bring focus to sidebar name field similar to the Navigation editor. - ## What problem does this address?
Clicking the title/name opens a Transform to drop down.
https://user-images.githubusercontent.com/5323259/116752552-0841fc80-aa06-11eb-8244-76cbaf3c76e9.mp4
Other blocks one clicks the block icon to open the Transform to drop down.
https://user-images.githubusercontent.com/5323259/116755015-0aa65580-aa0a-11eb-83f2-add80425c6f9.mp4
## What is your proposed solution?
Comparing to the Navigation Editor screen.
https://user-images.githubusercontent.com/5323259/116752118-51458100-aa05-11eb-85a5-d388dcaaca6e.mp4
We see the icon to the left and clicking the "All Pages" brings focus to the Name "All Pages" in the sidebar.
For Reusable blocks:
Consistency with other blocks.
Clicking the Reusable blocks icon should open the Transform to drop down.
Following the same method as Navigation Editor.
Clicking the name should bring focus to the sidebar name field.
It would also use a similar method as Reusable blocks work in WordPress 5.7 when the Gutenberg plugin is not activated.
Navigation Editor: Allow menu renaming
https://github.com/WordPress/gutenberg/pull/29012
@jameskoster
|
usab
|
reusable block clicking name title should bring focus to sidebar name field similar to the navigation editor what problem does this address clicking the title name opens a transform to drop down other blocks one clicks the block icon to open the transform to drop down what is your proposed solution comparing to the navigation editor screen we see the icon to the left and clicking the all pages brings focus to the name all pages in the sidebar for reusable blocks consistency with other blocks clicking the reusable blocks icon should open the transform to drop down following the same method as navigation editor clicking the name should bring focus to the sidebar name field it would also use a similar method as reusable blocks work in wordpress when the gutenberg plugin is not activated navigation editor allow menu renaming jameskoster
| 1
|
285,534
| 8,766,239,283
|
IssuesEvent
|
2018-12-17 16:20:19
|
CosmiQ/cw-eval
|
https://api.github.com/repos/CosmiQ/cw-eval
|
closed
|
Enable read-in of CSV-formatted ground truth for EvalBase init
|
Difficulty: Easy Priority: High Status: In Progress Type: Enhancement Type: Maintenance
|
Though `cw_eval.baseeval.EvalBase.load_truth()` can accept CSV-formatted ground truth files, `__init__` cannot. This could be annoying if someone only has CSV-formatted ground truth. `__init__` needs to be extended to accommodate CSVs without interfering with its current arguments.
|
1.0
|
Enable read-in of CSV-formatted ground truth for EvalBase init - Though `cw_eval.baseeval.EvalBase.load_truth()` can accept CSV-formatted ground truth files, `__init__` cannot. This could be annoying if someone only has CSV-formatted ground truth. `__init__` needs to be extended to accommodate CSVs without interfering with its current arguments.
|
non_usab
|
enable read in of csv formatted ground truth for evalbase init though cw eval baseeval evalbase load truth can accept csv formatted ground truth files init cannot this could be annoying if someone only has csv formatted ground truth init needs to be extended to accommodate csvs without interfering with its current arguments
| 0
|
253,492
| 21,685,606,254
|
IssuesEvent
|
2022-05-09 10:58:02
|
pharo-project/pharo
|
https://api.github.com/repos/pharo-project/pharo
|
closed
|
Failing on CI (mac only): SpJobListPresenterTest>>testJobIsFinishedWhenWaitingMoreThanWorkBlockDuration
|
Bug Fixed upstream Fleaky-test
|
**Bug description**
We have SpJobListPresenterTest>>testJobIsFinishedWhenWaitingMoreThanWorkBlockDuration failing consistently, but only
on the mac.
```
Error
Got 92 instead of 100.
Stacktrace
TestFailure
Got 92 instead of 100.
SpJobListPresenterTest(TestAsserter)>>assert:description:resumable:
SpJobListPresenterTest(TestAsserter)>>assert:description:
SpJobListPresenterTest(TestAsserter)>>assert:equals:
SpJobListPresenterTest>>testJobIsFinishedWhenWaitingMoreThanWorkBlockDuration
SpJobListPresenterTest(TestCase)>>performTest
```
|
1.0
|
Failing on CI (mac only): SpJobListPresenterTest>>testJobIsFinishedWhenWaitingMoreThanWorkBlockDuration - **Bug description**
We have SpJobListPresenterTest>>testJobIsFinishedWhenWaitingMoreThanWorkBlockDuration failing consistently, but only
on the mac.
```
Error
Got 92 instead of 100.
Stacktrace
TestFailure
Got 92 instead of 100.
SpJobListPresenterTest(TestAsserter)>>assert:description:resumable:
SpJobListPresenterTest(TestAsserter)>>assert:description:
SpJobListPresenterTest(TestAsserter)>>assert:equals:
SpJobListPresenterTest>>testJobIsFinishedWhenWaitingMoreThanWorkBlockDuration
SpJobListPresenterTest(TestCase)>>performTest
```
|
non_usab
|
failing on ci mac only spjoblistpresentertest testjobisfinishedwhenwaitingmorethanworkblockduration bug description we have spjoblistpresentertest testjobisfinishedwhenwaitingmorethanworkblockduration failing consistently but only on the mac error got instead of stacktrace testfailure got instead of spjoblistpresentertest testasserter assert description resumable spjoblistpresentertest testasserter assert description spjoblistpresentertest testasserter assert equals spjoblistpresentertest testjobisfinishedwhenwaitingmorethanworkblockduration spjoblistpresentertest testcase performtest
| 0
|
148,086
| 5,658,731,927
|
IssuesEvent
|
2017-04-10 10:56:03
|
research-resource/research_resource
|
https://api.github.com/repos/research-resource/research_resource
|
closed
|
Alert on consent page to confirm saliva kit has been requested
|
priority-2 T2h
|
As a user, I want to be reassured that my request for a saliva sample kit has been acknowledged and that the kit is on the way to me
What is the easiest way to do this?
Ties in with #18 - so when the user enters their address and clicks to submit the request, a message would show with 'Thank you for requesting your saliva sample kit, it should be with you in X days'
|
1.0
|
Alert on consent page to confirm saliva kit has been requested - As a user, I want to be reassured that my request for a saliva sample kit has been acknowledged and that the kit is on the way to me
What is the easiest way to do this?
Ties in with #18 - so when the user enters their address and clicks to submit the request, a message would show with 'Thank you for requesting your saliva sample kit, it should be with you in X days'
|
non_usab
|
alert on consent page to confirm saliva kit has been requested as a user i want to be reassured that my request for a saliva sample kit has been acknowledged and that the kit is on the way to me what is the easiest way to do this ties in with so when the user enters their address and clicks to submit the request a message would show with thank you for requesting your saliva sample kit it should be with you in x days
| 0
|
49,454
| 13,453,465,124
|
IssuesEvent
|
2020-09-09 01:02:15
|
nasifimtiazohi/openmrs-module-coreapps-1.28.0
|
https://api.github.com/repos/nasifimtiazohi/openmrs-module-coreapps-1.28.0
|
opened
|
WS-2019-0424 (Medium) detected in elliptic-6.4.1.tgz
|
security vulnerability
|
## WS-2019-0424 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>elliptic-6.4.1.tgz</b></p></summary>
<p>EC cryptography</p>
<p>Library home page: <a href="https://registry.npmjs.org/elliptic/-/elliptic-6.4.1.tgz">https://registry.npmjs.org/elliptic/-/elliptic-6.4.1.tgz</a></p>
<p>Path to dependency file: /tmp/ws-scm/openmrs-module-coreapps-1.28.0/package.json</p>
<p>Path to vulnerable library: /tmp/ws-scm/openmrs-module-coreapps-1.28.0/node_modules/elliptic/package.json</p>
<p>
Dependency Hierarchy:
- webpack-2.7.0.tgz (Root Library)
- node-libs-browser-2.2.0.tgz
- crypto-browserify-3.12.0.tgz
- browserify-sign-4.0.4.tgz
- :x: **elliptic-6.4.1.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/nasifimtiazohi/openmrs-module-coreapps-1.28.0/commit/a473f1097dd760370898008cacd6434f0620476f">a473f1097dd760370898008cacd6434f0620476f</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
all versions of elliptic are vulnerable to Timing Attack through side-channels.
<p>Publish Date: 2019-11-13
<p>URL: <a href=https://github.com/indutny/elliptic/commit/ec735edde187a43693197f6fa3667ceade751a3a>WS-2019-0424</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.9</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Adjacent
- Attack Complexity: High
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: High
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
True
|
WS-2019-0424 (Medium) detected in elliptic-6.4.1.tgz - ## WS-2019-0424 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>elliptic-6.4.1.tgz</b></p></summary>
<p>EC cryptography</p>
<p>Library home page: <a href="https://registry.npmjs.org/elliptic/-/elliptic-6.4.1.tgz">https://registry.npmjs.org/elliptic/-/elliptic-6.4.1.tgz</a></p>
<p>Path to dependency file: /tmp/ws-scm/openmrs-module-coreapps-1.28.0/package.json</p>
<p>Path to vulnerable library: /tmp/ws-scm/openmrs-module-coreapps-1.28.0/node_modules/elliptic/package.json</p>
<p>
Dependency Hierarchy:
- webpack-2.7.0.tgz (Root Library)
- node-libs-browser-2.2.0.tgz
- crypto-browserify-3.12.0.tgz
- browserify-sign-4.0.4.tgz
- :x: **elliptic-6.4.1.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/nasifimtiazohi/openmrs-module-coreapps-1.28.0/commit/a473f1097dd760370898008cacd6434f0620476f">a473f1097dd760370898008cacd6434f0620476f</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
all versions of elliptic are vulnerable to Timing Attack through side-channels.
<p>Publish Date: 2019-11-13
<p>URL: <a href=https://github.com/indutny/elliptic/commit/ec735edde187a43693197f6fa3667ceade751a3a>WS-2019-0424</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>5.9</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Adjacent
- Attack Complexity: High
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: High
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
non_usab
|
ws medium detected in elliptic tgz ws medium severity vulnerability vulnerable library elliptic tgz ec cryptography library home page a href path to dependency file tmp ws scm openmrs module coreapps package json path to vulnerable library tmp ws scm openmrs module coreapps node modules elliptic package json dependency hierarchy webpack tgz root library node libs browser tgz crypto browserify tgz browserify sign tgz x elliptic tgz vulnerable library found in head commit a href vulnerability details all versions of elliptic are vulnerable to timing attack through side channels publish date url a href cvss score details base score metrics exploitability metrics attack vector adjacent attack complexity high privileges required none user interaction none scope unchanged impact metrics confidentiality impact low integrity impact high availability impact none for more information on scores click a href step up your open source security game with whitesource
| 0
|
820
| 2,622,223,983
|
IssuesEvent
|
2015-03-04 00:39:46
|
geneontology/amigo
|
https://api.github.com/repos/geneontology/amigo
|
opened
|
Define ontology "roots" using configuration variables of files
|
bug (B: affects usability) enhancement
|
We occasionally have a page that for some reason needs to know the roots of the view (or other graph related meta-information). For example, the ontology and drill-down browsers.
Currently, this information is somewhat hard coded into the app. This is rather silly and could easily pulled from a configuration variable.
This is a requirement for a general AmiGO browser from a developer/deployment viewpoint.
|
True
|
Define ontology "roots" using configuration variables of files - We occasionally have a page that for some reason needs to know the roots of the view (or other graph related meta-information). For example, the ontology and drill-down browsers.
Currently, this information is somewhat hard coded into the app. This is rather silly and could easily pulled from a configuration variable.
This is a requirement for a general AmiGO browser from a developer/deployment viewpoint.
|
usab
|
define ontology roots using configuration variables of files we occasionally have a page that for some reason needs to know the roots of the view or other graph related meta information for example the ontology and drill down browsers currently this information is somewhat hard coded into the app this is rather silly and could easily pulled from a configuration variable this is a requirement for a general amigo browser from a developer deployment viewpoint
| 1
|
9,000
| 2,615,119,022
|
IssuesEvent
|
2015-03-01 05:44:51
|
chrsmith/google-api-java-client
|
https://api.github.com/repos/chrsmith/google-api-java-client
|
closed
|
Mocked methods should declare thrown IOException
|
auto-migrated Component-Tests Milestone-Version1.3.2 Priority-Medium Type-Defect
|
```
Version of google-api-java-client (e.g. 1.3.1-alpha)?
1.3.1-alpha
Java environment (e.g. Java 6, Android 2.3, App Engine 1.4.2)?
All
Describe the problem.
The following methods do not declare that they may throw IOException, which
means subclasses cannot throw them, which is a problem for testing:
MockHttpContent.getLength()
MockHttpTransport.build*Request()
MockLowLevelRequest.setContent()
MockLowLevelRequest.execute()
MockLowLevelResponse.getContent()
How would you expect it to be fixed?
These methods should declare that they throw IOException.
```
Original issue reported on code.google.com by `[email protected]` on 24 Feb 2011 at 4:46
|
1.0
|
Mocked methods should declare thrown IOException - ```
Version of google-api-java-client (e.g. 1.3.1-alpha)?
1.3.1-alpha
Java environment (e.g. Java 6, Android 2.3, App Engine 1.4.2)?
All
Describe the problem.
The following methods do not declare that they may throw IOException, which
means subclasses cannot throw them, which is a problem for testing:
MockHttpContent.getLength()
MockHttpTransport.build*Request()
MockLowLevelRequest.setContent()
MockLowLevelRequest.execute()
MockLowLevelResponse.getContent()
How would you expect it to be fixed?
These methods should declare that they throw IOException.
```
Original issue reported on code.google.com by `[email protected]` on 24 Feb 2011 at 4:46
|
non_usab
|
mocked methods should declare thrown ioexception version of google api java client e g alpha alpha java environment e g java android app engine all describe the problem the following methods do not declare that they may throw ioexception which means subclasses cannot throw them which is a problem for testing mockhttpcontent getlength mockhttptransport build request mocklowlevelrequest setcontent mocklowlevelrequest execute mocklowlevelresponse getcontent how would you expect it to be fixed these methods should declare that they throw ioexception original issue reported on code google com by yan google com on feb at
| 0
|
28,207
| 32,059,796,889
|
IssuesEvent
|
2023-09-24 14:20:38
|
argoproj/argo-cd
|
https://api.github.com/repos/argoproj/argo-cd
|
closed
|
Consider kpt support
|
type:usability component:git
|
kpt is a toolkit to help you manage, manipulate, customize, and apply Kubernetes Resource configuration data files.
* [github](https://github.com/GoogleContainerTools/kpt)
* [Blog](https://opensource.googleblog.com/2020/03/kpt-packaging-up-your-kubernetes.html)
* [Documentation](https://googlecontainertools.github.io/kpt/)
|
True
|
Consider kpt support - kpt is a toolkit to help you manage, manipulate, customize, and apply Kubernetes Resource configuration data files.
* [github](https://github.com/GoogleContainerTools/kpt)
* [Blog](https://opensource.googleblog.com/2020/03/kpt-packaging-up-your-kubernetes.html)
* [Documentation](https://googlecontainertools.github.io/kpt/)
|
usab
|
consider kpt support kpt is a toolkit to help you manage manipulate customize and apply kubernetes resource configuration data files
| 1
|
21,710
| 17,570,603,563
|
IssuesEvent
|
2021-08-14 16:02:08
|
godotengine/godot
|
https://api.github.com/repos/godotengine/godot
|
closed
|
Difficulties when translating 3D view name
|
bug topic:editor usability topic:3d
|
### Godot version
3.3.2, 3.4.beta1, 3.x(883bb2f4f6), 4.0(5de991d57c)
### System information
macOS 11.4
### Issue description
Name is shown on the top left corner of each 3D viewport, like "Top Orthognal". But i18n and l10n are done separately on each word and then joined with a space.
This is OK in English, but in languages like Chinese, the space is not needed. There is no way to get rid of the space because it's hardcoded.
Wording & order may also be different depending on the context in other languages. "Top Orthognal" may not always be "Top" + "Orthognal". For example, Top - 顶部, Orthognal - 正交, but Top Orthognal should be 正交顶视图 in Chinese, which swaps the order and changes the words when used together.
Currently, "thanks" to the space, "顶部 正交" makes sense if you think it's displaying two separate fields. But it's not ideal since Top Orthognal is always 正交顶视图 in other 3D softwares (e.g. Blender).
### Steps to reproduce
Open the 3D editor in Chinese.
### Minimal reproduction project
_No response_
|
True
|
Difficulties when translating 3D view name - ### Godot version
3.3.2, 3.4.beta1, 3.x(883bb2f4f6), 4.0(5de991d57c)
### System information
macOS 11.4
### Issue description
Name is shown on the top left corner of each 3D viewport, like "Top Orthognal". But i18n and l10n are done separately on each word and then joined with a space.
This is OK in English, but in languages like Chinese, the space is not needed. There is no way to get rid of the space because it's hardcoded.
Wording & order may also be different depending on the context in other languages. "Top Orthognal" may not always be "Top" + "Orthognal". For example, Top - 顶部, Orthognal - 正交, but Top Orthognal should be 正交顶视图 in Chinese, which swaps the order and changes the words when used together.
Currently, "thanks" to the space, "顶部 正交" makes sense if you think it's displaying two separate fields. But it's not ideal since Top Orthognal is always 正交顶视图 in other 3D softwares (e.g. Blender).
### Steps to reproduce
Open the 3D editor in Chinese.
### Minimal reproduction project
_No response_
|
usab
|
difficulties when translating view name godot version x system information macos issue description name is shown on the top left corner of each viewport like top orthognal but and are done separately on each word and then joined with a space this is ok in english but in languages like chinese the space is not needed there is no way to get rid of the space because it s hardcoded wording order may also be different depending on the context in other languages top orthognal may not always be top orthognal for example top 顶部 orthognal 正交 but top orthognal should be 正交顶视图 in chinese which swaps the order and changes the words when used together currently thanks to the space 顶部 正交 makes sense if you think it s displaying two separate fields but it s not ideal since top orthognal is always 正交顶视图 in other softwares e g blender steps to reproduce open the editor in chinese minimal reproduction project no response
| 1
|
99,990
| 4,075,210,637
|
IssuesEvent
|
2016-05-29 01:48:21
|
ankidroid/Anki-Android
|
https://api.github.com/repos/ankidroid/Anki-Android
|
closed
|
Add ability to customize colors
|
accepted enhancement HelpWanted Priority-Medium UI
|
(Sorry if the process for remarks to the new material design is supposed to be different than using the issues.)
I have just downloaded the 2.5beta2 version to try out the night mode, something I've been longing for for a while. In general, I really, really like the new material design and especially the night mode applying to the whole application - I see myself using it a lot. I also like the fact that it is so easy to switch between day and night modes. In general - thumbs up!
Now my remarks - the buttons' colors seem to be too vivid. For example, the 'plus' floating action button in the decks screen is blue, but the blue is too bright (for me). I would like the blue to be like the 'new' cards number or 'virtual' decks blue - more pastel. Similarly, I find the answer buttons too bright, especially the red 'again' button. The red and green used for the counters in top-left corner are softer and better fit the overall dark theme.
In the day mode, I think the status bar's blue is too bright as well, seems too distracting. I know I can use the night mode all the time, but I kind of prefer the day mode during the day, due to less contrast. In the same vein, I think the answer buttons are too distracting as well. I think the 'old' design had them white and only the texts were colored; the new design has the buttons colored, and somehow it doesn't fit it well.
|
1.0
|
Add ability to customize colors - (Sorry if the process for remarks to the new material design is supposed to be different than using the issues.)
I have just downloaded the 2.5beta2 version to try out the night mode, something I've been longing for for a while. In general, I really, really like the new material design and especially the night mode applying to the whole application - I see myself using it a lot. I also like the fact that it is so easy to switch between day and night modes. In general - thumbs up!
Now my remarks - the buttons' colors seem to be too vivid. For example, the 'plus' floating action button in the decks screen is blue, but the blue is too bright (for me). I would like the blue to be like the 'new' cards number or 'virtual' decks blue - more pastel. Similarly, I find the answer buttons too bright, especially the red 'again' button. The red and green used for the counters in top-left corner are softer and better fit the overall dark theme.
In the day mode, I think the status bar's blue is too bright as well, seems too distracting. I know I can use the night mode all the time, but I kind of prefer the day mode during the day, due to less contrast. In the same vein, I think the answer buttons are too distracting as well. I think the 'old' design had them white and only the texts were colored; the new design has the buttons colored, and somehow it doesn't fit it well.
|
non_usab
|
add ability to customize colors sorry if the process for remarks to the new material design is supposed to be different than using the issues i have just downloaded the version to try out the night mode something i ve been longing for for a while in general i really really like the new material design and especially the night mode applying to the whole application i see myself using it a lot i also like the fact that it is so easy to switch between day and night modes in general thumbs up now my remarks the buttons colors seem to be too vivid for example the plus floating action button in the decks screen is blue but the blue is too bright for me i would like the blue to be like the new cards number or virtual decks blue more pastel similarly i find the answer buttons too bright especially the red again button the red and green used for the counters in top left corner are softer and better fit the overall dark theme in the day mode i think the status bar s blue is too bright as well seems too distracting i know i can use the night mode all the time but i kind of prefer the day mode during the day due to less contrast in the same vein i think the answer buttons are too distracting as well i think the old design had them white and only the texts were colored the new design has the buttons colored and somehow it doesn t fit it well
| 0
|
9,350
| 6,256,703,972
|
IssuesEvent
|
2017-07-14 11:00:56
|
loconomics/loconomics
|
https://api.github.com/repos/loconomics/loconomics
|
closed
|
Bug: S4 Some numeric input fields allow for negative values on client-side
|
Bug: S4 C: Usability F: General Site Good first issue
|
Site: live
Some input fields that take numbers (e.g., price for service, zipcode for service location) allow for the user to input negative values. These values are caught in validation, but we can set a minimum value on the input field to prevent this from happening in the first place.
(Oddly on Chrome and Firefox for the desktop the user can adjust the values of these fields using the mouse wheel. If the user is using an unfamiliar mouse (or trying to scroll within the page), they can inadvertently change the value. I've seen this happen in a user study.)
To fix: add ``min=0`` to zipcode and price fields
|
True
|
Bug: S4 Some numeric input fields allow for negative values on client-side - Site: live
Some input fields that take numbers (e.g., price for service, zipcode for service location) allow for the user to input negative values. These values are caught in validation, but we can set a minimum value on the input field to prevent this from happening in the first place.
(Oddly on Chrome and Firefox for the desktop the user can adjust the values of these fields using the mouse wheel. If the user is using an unfamiliar mouse (or trying to scroll within the page), they can inadvertently change the value. I've seen this happen in a user study.)
To fix: add ``min=0`` to zipcode and price fields
|
usab
|
bug some numeric input fields allow for negative values on client side site live some input fields that take numbers e g price for service zipcode for service location allow for the user to input negative values these values are caught in validation but we can set a minimum value on the input field to prevent this from happening in the first place oddly on chrome and firefox for the desktop the user can adjust the values of these fields using the mouse wheel if the user is using an unfamiliar mouse or trying to scroll within the page they can inadvertently change the value i ve seen this happen in a user study to fix add min to zipcode and price fields
| 1
|
5,428
| 3,925,233,098
|
IssuesEvent
|
2016-04-22 18:10:18
|
CellProfiler/CellProfiler
|
https://api.github.com/repos/CellProfiler/CellProfiler
|
closed
|
Buttons grayed out mistakenly
|
Bug Layout and usability Windows
|
Load Welcome screen Example fly pipeline.
Start Test Mode
Change the order of the modules.
The Test Mode and Analyze buttons are grayed out.
I have also seen the Test Mode buttons (e.g. Step) grayed out, but I can't reproduce.
Only seems to occur on Windows.
|
True
|
Buttons grayed out mistakenly - Load Welcome screen Example fly pipeline.
Start Test Mode
Change the order of the modules.
The Test Mode and Analyze buttons are grayed out.
I have also seen the Test Mode buttons (e.g. Step) grayed out, but I can't reproduce.
Only seems to occur on Windows.
|
usab
|
buttons grayed out mistakenly load welcome screen example fly pipeline start test mode change the order of the modules the test mode and analyze buttons are grayed out i have also seen the test mode buttons e g step grayed out but i can t reproduce only seems to occur on windows
| 1
|
16,528
| 11,029,660,950
|
IssuesEvent
|
2019-12-06 14:20:14
|
textpattern/textpattern
|
https://api.github.com/repos/textpattern/textpattern
|
closed
|
Minor tweak to Theme import UI
|
admin-side usability
|
Above the themes table on the Themes panel, why does the dropdown have a blank entry? Can anyone think of a reason why we can't just dive straight in to the list?
Also, is 'Upload' the right terminology? Looking around other panels we have:
* Files panel: file options such as category assignment and file chooser and an 'Upload' button. Makes sense we're uploading a file to the /files directory.
* Images panel: image options such as category assignment and file chooser and an 'Upload' button. Makes sense we're uploading a file to the /images directory.
* Plugins panel: uploading a plugin from a .php file. File browsers and an 'Upload' button. Makes sense, we're unpacking the zip/uploading the file and installing it on disk in the/plugins directory and into the database.
* Plugins panel: importing a plugin from disk that already resides there. Select list (note: no blank first) and an 'Import' button. Makes sense, we're importing what's already there and adding it to the database.
* Files panel: select list of files on disk (note: no blank first) and a 'Create' button. Makes sense(ish), as we're creating a file entry in the DB from what's on disk. Perhaps this should be 'Import'?
Proposal: change the button on the Themes panel to 'Import' to match the above uses. That also paves the way in future if we decide to permit 'Upload' of a theme package (a.k.a. file browser to upload a zipped bundle and unpack it on people's behalf into the /themes directory and install it in the database).
Thoughts?
|
True
|
Minor tweak to Theme import UI - Above the themes table on the Themes panel, why does the dropdown have a blank entry? Can anyone think of a reason why we can't just dive straight in to the list?
Also, is 'Upload' the right terminology? Looking around other panels we have:
* Files panel: file options such as category assignment and file chooser and an 'Upload' button. Makes sense we're uploading a file to the /files directory.
* Images panel: image options such as category assignment and file chooser and an 'Upload' button. Makes sense we're uploading a file to the /images directory.
* Plugins panel: uploading a plugin from a .php file. File browsers and an 'Upload' button. Makes sense, we're unpacking the zip/uploading the file and installing it on disk in the/plugins directory and into the database.
* Plugins panel: importing a plugin from disk that already resides there. Select list (note: no blank first) and an 'Import' button. Makes sense, we're importing what's already there and adding it to the database.
* Files panel: select list of files on disk (note: no blank first) and a 'Create' button. Makes sense(ish), as we're creating a file entry in the DB from what's on disk. Perhaps this should be 'Import'?
Proposal: change the button on the Themes panel to 'Import' to match the above uses. That also paves the way in future if we decide to permit 'Upload' of a theme package (a.k.a. file browser to upload a zipped bundle and unpack it on people's behalf into the /themes directory and install it in the database).
Thoughts?
|
usab
|
minor tweak to theme import ui above the themes table on the themes panel why does the dropdown have a blank entry can anyone think of a reason why we can t just dive straight in to the list also is upload the right terminology looking around other panels we have files panel file options such as category assignment and file chooser and an upload button makes sense we re uploading a file to the files directory images panel image options such as category assignment and file chooser and an upload button makes sense we re uploading a file to the images directory plugins panel uploading a plugin from a php file file browsers and an upload button makes sense we re unpacking the zip uploading the file and installing it on disk in the plugins directory and into the database plugins panel importing a plugin from disk that already resides there select list note no blank first and an import button makes sense we re importing what s already there and adding it to the database files panel select list of files on disk note no blank first and a create button makes sense ish as we re creating a file entry in the db from what s on disk perhaps this should be import proposal change the button on the themes panel to import to match the above uses that also paves the way in future if we decide to permit upload of a theme package a k a file browser to upload a zipped bundle and unpack it on people s behalf into the themes directory and install it in the database thoughts
| 1
|
19,043
| 13,536,127,067
|
IssuesEvent
|
2020-09-16 08:36:08
|
topcoder-platform/qa-fun
|
https://api.github.com/repos/topcoder-platform/qa-fun
|
closed
|
Thrive page - Unnecessary image keeps loading
|
UX/Usability
|
Steps:-
1. Enter the URL : topcoder.com
2. Click on Explore menu > Select Thrive Sub Menu
3. View the Image keeps loading
4. Click on Show Filter
Actual Result : Unnecessary image keeps loading
Expected Result : As the Filter is populated .Loading page is not required


|
True
|
Thrive page - Unnecessary image keeps loading -
Steps:-
1. Enter the URL : topcoder.com
2. Click on Explore menu > Select Thrive Sub Menu
3. View the Image keeps loading
4. Click on Show Filter
Actual Result : Unnecessary image keeps loading
Expected Result : As the Filter is populated .Loading page is not required


|
usab
|
thrive page unnecessary image keeps loading steps enter the url topcoder com click on explore menu select thrive sub menu view the image keeps loading click on show filter actual result unnecessary image keeps loading expected result as the filter is populated loading page is not required
| 1
|
3,114
| 5,258,752,979
|
IssuesEvent
|
2017-02-03 00:31:30
|
rancher/rancher
|
https://api.github.com/repos/rancher/rancher
|
closed
|
Please provide mechanism to protect containers from being scaled down
|
area/service kind/enhancement
|
Rancher Version: 0.59.1
Docker Version: 1.10.3
OS: CentOS 7
The scaling mechanism used in Rancher is fine for services designed to be ephemeral such as REST services, however we have long running processes which should not normally be terminated while busy. Can you please provide some form of mechanism where a container instance can indicate to Rancher that it is busy with a long running process and hence is not eligible at the moment for termination due to scaling down.
Our use case is that we have a pool of worker containers that perform long running ETL loads and are fronted by a custom load balancer. Scaling up is easy, we add 1 to the scale when the number of free workers falls below a given threshold. Scaling down should be the same. We should be able to reduce the scale by 1 if the number of free workers goes over another given threshold. Obviously though we do not want Rancher to stop a worker that is currently busy. We need a mechanism to indicate to Rancher which of the pool of workers are currently eligible for stopping due to a scale down. We are happy to accept that Rancher may not be immediately able to action a scale down request if none of the worker containers are currently idle. This should not happen in practice.
|
1.0
|
Please provide mechanism to protect containers from being scaled down - Rancher Version: 0.59.1
Docker Version: 1.10.3
OS: CentOS 7
The scaling mechanism used in Rancher is fine for services designed to be ephemeral such as REST services, however we have long running processes which should not normally be terminated while busy. Can you please provide some form of mechanism where a container instance can indicate to Rancher that it is busy with a long running process and hence is not eligible at the moment for termination due to scaling down.
Our use case is that we have a pool of worker containers that perform long running ETL loads and are fronted by a custom load balancer. Scaling up is easy, we add 1 to the scale when the number of free workers falls below a given threshold. Scaling down should be the same. We should be able to reduce the scale by 1 if the number of free workers goes over another given threshold. Obviously though we do not want Rancher to stop a worker that is currently busy. We need a mechanism to indicate to Rancher which of the pool of workers are currently eligible for stopping due to a scale down. We are happy to accept that Rancher may not be immediately able to action a scale down request if none of the worker containers are currently idle. This should not happen in practice.
|
non_usab
|
please provide mechanism to protect containers from being scaled down rancher version docker version os centos the scaling mechanism used in rancher is fine for services designed to be ephemeral such as rest services however we have long running processes which should not normally be terminated while busy can you please provide some form of mechanism where a container instance can indicate to rancher that it is busy with a long running process and hence is not eligible at the moment for termination due to scaling down our use case is that we have a pool of worker containers that perform long running etl loads and are fronted by a custom load balancer scaling up is easy we add to the scale when the number of free workers falls below a given threshold scaling down should be the same we should be able to reduce the scale by if the number of free workers goes over another given threshold obviously though we do not want rancher to stop a worker that is currently busy we need a mechanism to indicate to rancher which of the pool of workers are currently eligible for stopping due to a scale down we are happy to accept that rancher may not be immediately able to action a scale down request if none of the worker containers are currently idle this should not happen in practice
| 0
|
546,844
| 16,020,145,831
|
IssuesEvent
|
2021-04-20 21:34:31
|
ngageoint/hootenanny
|
https://api.github.com/repos/ngageoint/hootenanny
|
closed
|
Storage Depot (AM010) w/ Product(PPO)=Petroleum(83) -> PPO field dropped
|
Category: Translation Priority: Medium Status: In Progress Type: Bug
|
**Describe the bug**
In iD (and probably JOSM as well), under the MGCP schema, if one maps an area Storage Depot (AM010) and sets the Product(PPO) to Petroleum(83), the PPO field is dropped.
|
1.0
|
Storage Depot (AM010) w/ Product(PPO)=Petroleum(83) -> PPO field dropped - **Describe the bug**
In iD (and probably JOSM as well), under the MGCP schema, if one maps an area Storage Depot (AM010) and sets the Product(PPO) to Petroleum(83), the PPO field is dropped.
|
non_usab
|
storage depot w product ppo petroleum ppo field dropped describe the bug in id and probably josm as well under the mgcp schema if one maps an area storage depot and sets the product ppo to petroleum the ppo field is dropped
| 0
|
4,280
| 3,796,383,160
|
IssuesEvent
|
2016-03-23 00:09:10
|
coreos/etcd
|
https://api.github.com/repos/coreos/etcd
|
closed
|
`cluster is healthy` returned by `etcdctl cluster-health` is sometimes confusing
|
area/usability component/etcdctl kind/question
|
```
etcdctl cluster-health
member 2eacd324a7820934 is healthy: got healthy result from http://172.17.8.102:2379
failed to check the health of member 65de4ea85ff20848 on http://172.17.8.103:2379: Get http://172.17.8.103:2379/health: dial tcp 172.17.8.103:2379: i/o timeout
member 65de4ea85ff20848 is unreachable: [http://172.17.8.103:2379] are all unreachable
member ce2a822cea30bfca is healthy: got healthy result from http://172.17.8.101:2379
cluster is healthy
```
an i/o error connecting to a down host returns "cluster is healthy" sounds weird. Maybe we could say `cluster is degraded` at this time.
/cc @philips @vcaputo @ecnahc515
|
True
|
`cluster is healthy` returned by `etcdctl cluster-health` is sometimes confusing - ```
etcdctl cluster-health
member 2eacd324a7820934 is healthy: got healthy result from http://172.17.8.102:2379
failed to check the health of member 65de4ea85ff20848 on http://172.17.8.103:2379: Get http://172.17.8.103:2379/health: dial tcp 172.17.8.103:2379: i/o timeout
member 65de4ea85ff20848 is unreachable: [http://172.17.8.103:2379] are all unreachable
member ce2a822cea30bfca is healthy: got healthy result from http://172.17.8.101:2379
cluster is healthy
```
an i/o error connecting to a down host returns "cluster is healthy" sounds weird. Maybe we could say `cluster is degraded` at this time.
/cc @philips @vcaputo @ecnahc515
|
usab
|
cluster is healthy returned by etcdctl cluster health is sometimes confusing etcdctl cluster health member is healthy got healthy result from failed to check the health of member on get dial tcp i o timeout member is unreachable are all unreachable member is healthy got healthy result from cluster is healthy an i o error connecting to a down host returns cluster is healthy sounds weird maybe we could say cluster is degraded at this time cc philips vcaputo
| 1
|
24,307
| 23,616,114,018
|
IssuesEvent
|
2022-08-24 16:00:30
|
HumanRightsWatch/VHS
|
https://api.github.com/repos/HumanRightsWatch/VHS
|
closed
|
Ability to edit text
|
enhancement usability
|
For instance after you have added a description or a title of a video you upload or the ability to add new tags.
|
True
|
Ability to edit text - For instance after you have added a description or a title of a video you upload or the ability to add new tags.
|
usab
|
ability to edit text for instance after you have added a description or a title of a video you upload or the ability to add new tags
| 1
|
170,433
| 20,870,878,320
|
IssuesEvent
|
2022-03-22 11:50:24
|
CMSgov/cms-carts-seds
|
https://api.github.com/repos/CMSgov/cms-carts-seds
|
closed
|
SHF - macpro - master - HIGH - RHEL 7 : kernel (RHSA-2022:0620)
|
security-hub production
|
**************************************************************
__This issue was generated from Security Hub data and is managed through automation.__
Please do not edit the title or body of this issue, or remove the security-hub tag. All other edits/comments are welcome.
Finding Id: 730373213083/us-east-1/i-0feb83a383f4f6158/10.245.19.126/Nessus/158266
**************************************************************
## Type of Issue:
- [x] Security Hub Finding
## Title:
RHEL 7 : kernel (RHSA-2022:0620)
## Id:
730373213083/us-east-1/i-0feb83a383f4f6158/10.245.19.126/Nessus/158266
(You may use this ID to lookup this finding's details in Security Hub)
## Description
The remote Redhat Enterprise Linux 7 host has packages installed that are affected by multiple vulnerabilities as referenced in the RHSA-2022:0620 advisory.
- kernel: out of bounds write in hid-multitouch.c may lead to escalation of privilege (CVE-2020-0465)
- kernel: use after free in eventpoll.c may lead to escalation of privilege (CVE-2020-0466)
- kernel: Use After Free in unix_gc() which could result in a local privilege escalation (CVE-2021-0920)
- kernel: double free in bluetooth subsystem when the HCI device initialization fails (CVE-2021-3564)
- kernel: use-after-free in function hci_sock_bound_ioctl() (CVE-2021-3573)
- kernel: possible use-after-free in bluetooth module (CVE-2021-3752)
- kernel: xfs: raw block device data leak in XFS_IOC_ALLOCSP IOCTL (CVE-2021-4155)
- kernel: possible privileges escalation due to missing TLB flush (CVE-2022-0330)
- kernel: failing usercopy allows for use-after-free exploitation (CVE-2022-22942)
Note that Nessus has not tested for thi...
## Remediation
undefined
## AC:
- The security hub finding is resolved or suppressed, indicated by a Workflow Status of Resolved or Suppressed.
|
True
|
SHF - macpro - master - HIGH - RHEL 7 : kernel (RHSA-2022:0620) - **************************************************************
__This issue was generated from Security Hub data and is managed through automation.__
Please do not edit the title or body of this issue, or remove the security-hub tag. All other edits/comments are welcome.
Finding Id: 730373213083/us-east-1/i-0feb83a383f4f6158/10.245.19.126/Nessus/158266
**************************************************************
## Type of Issue:
- [x] Security Hub Finding
## Title:
RHEL 7 : kernel (RHSA-2022:0620)
## Id:
730373213083/us-east-1/i-0feb83a383f4f6158/10.245.19.126/Nessus/158266
(You may use this ID to lookup this finding's details in Security Hub)
## Description
The remote Redhat Enterprise Linux 7 host has packages installed that are affected by multiple vulnerabilities as referenced in the RHSA-2022:0620 advisory.
- kernel: out of bounds write in hid-multitouch.c may lead to escalation of privilege (CVE-2020-0465)
- kernel: use after free in eventpoll.c may lead to escalation of privilege (CVE-2020-0466)
- kernel: Use After Free in unix_gc() which could result in a local privilege escalation (CVE-2021-0920)
- kernel: double free in bluetooth subsystem when the HCI device initialization fails (CVE-2021-3564)
- kernel: use-after-free in function hci_sock_bound_ioctl() (CVE-2021-3573)
- kernel: possible use-after-free in bluetooth module (CVE-2021-3752)
- kernel: xfs: raw block device data leak in XFS_IOC_ALLOCSP IOCTL (CVE-2021-4155)
- kernel: possible privileges escalation due to missing TLB flush (CVE-2022-0330)
- kernel: failing usercopy allows for use-after-free exploitation (CVE-2022-22942)
Note that Nessus has not tested for thi...
## Remediation
undefined
## AC:
- The security hub finding is resolved or suppressed, indicated by a Workflow Status of Resolved or Suppressed.
|
non_usab
|
shf macpro master high rhel kernel rhsa this issue was generated from security hub data and is managed through automation please do not edit the title or body of this issue or remove the security hub tag all other edits comments are welcome finding id us east i nessus type of issue security hub finding title rhel kernel rhsa id us east i nessus you may use this id to lookup this finding s details in security hub description the remote redhat enterprise linux host has packages installed that are affected by multiple vulnerabilities as referenced in the rhsa advisory kernel out of bounds write in hid multitouch c may lead to escalation of privilege cve kernel use after free in eventpoll c may lead to escalation of privilege cve kernel use after free in unix gc which could result in a local privilege escalation cve kernel double free in bluetooth subsystem when the hci device initialization fails cve kernel use after free in function hci sock bound ioctl cve kernel possible use after free in bluetooth module cve kernel xfs raw block device data leak in xfs ioc allocsp ioctl cve kernel possible privileges escalation due to missing tlb flush cve kernel failing usercopy allows for use after free exploitation cve note that nessus has not tested for thi remediation undefined ac the security hub finding is resolved or suppressed indicated by a workflow status of resolved or suppressed
| 0
|
74,894
| 9,811,318,740
|
IssuesEvent
|
2019-06-12 23:13:38
|
brusMX/promitor-tests
|
https://api.github.com/repos/brusMX/promitor-tests
|
opened
|
Follow README
|
documentation wip
|
Make sure README makes sense, documentation is on par, I can do the listed tasks
|
1.0
|
Follow README - Make sure README makes sense, documentation is on par, I can do the listed tasks
|
non_usab
|
follow readme make sure readme makes sense documentation is on par i can do the listed tasks
| 0
|
17,316
| 11,890,737,425
|
IssuesEvent
|
2020-03-28 19:45:14
|
giuspen/cherrytree
|
https://api.github.com/repos/giuspen/cherrytree
|
closed
|
Very, very, very long node creation
|
usability
|
In a file with several thousand nodes, a new one is created for a very long time (15-25 seconds or more).
For verification, a test file with a large number of empty nodes was created.
The problem is reproduced on it.
Test file name: 0_Root_50.ctb (868k size, 5555 nodes)
Shared link: https://drive.google.com/file/d/1uvA6hGq86Squ3x5OEU8V2zHaWzF0ijY6/view?usp=sharing
|
True
|
Very, very, very long node creation - In a file with several thousand nodes, a new one is created for a very long time (15-25 seconds or more).
For verification, a test file with a large number of empty nodes was created.
The problem is reproduced on it.
Test file name: 0_Root_50.ctb (868k size, 5555 nodes)
Shared link: https://drive.google.com/file/d/1uvA6hGq86Squ3x5OEU8V2zHaWzF0ijY6/view?usp=sharing
|
usab
|
very very very long node creation in a file with several thousand nodes a new one is created for a very long time seconds or more for verification a test file with a large number of empty nodes was created the problem is reproduced on it test file name root ctb size nodes shared link
| 1
|
6,263
| 4,203,571,176
|
IssuesEvent
|
2016-06-28 06:13:59
|
Virtual-Labs/structural-dynamics-iiith
|
https://api.github.com/repos/Virtual-Labs/structural-dynamics-iiith
|
closed
|
QA_concept of Response Spectrum_Back to experiments_smk
|
Category: Usability Developed by: VLEAD Release Number: Production Resolved Severity: S2
|
Defect Description :
In the "concept of Response Spectrum" experiment,the back to experiments link is not present in the page instead the back to experiments link should be displayed on the screen in-order to view the list of experiments by the user.
Actual Result :
In the "concept of Response Spectrum" experiment,the back to experiments link is not present in the page.
Environment :
OS: Windows 7, Ubuntu-16.04,Centos-6
Browsers: Firefox-42.0,Chrome-47.0,chromium-45.0
Bandwidth : 100Mbps
Hardware Configuration:8GBRAM
Processor:i5
Test Step Link:
https://github.com/Virtual-Labs/structural-dynamics-iiith/blob/master/test-cases/integration_test-cases/concept%20of%20Response%20Spectrum/concept%20of%20Response%20Spectrum_15_Back%20to%20experiments_smk.org
Attachment:

|
True
|
QA_concept of Response Spectrum_Back to experiments_smk - Defect Description :
In the "concept of Response Spectrum" experiment,the back to experiments link is not present in the page instead the back to experiments link should be displayed on the screen in-order to view the list of experiments by the user.
Actual Result :
In the "concept of Response Spectrum" experiment,the back to experiments link is not present in the page.
Environment :
OS: Windows 7, Ubuntu-16.04,Centos-6
Browsers: Firefox-42.0,Chrome-47.0,chromium-45.0
Bandwidth : 100Mbps
Hardware Configuration:8GBRAM
Processor:i5
Test Step Link:
https://github.com/Virtual-Labs/structural-dynamics-iiith/blob/master/test-cases/integration_test-cases/concept%20of%20Response%20Spectrum/concept%20of%20Response%20Spectrum_15_Back%20to%20experiments_smk.org
Attachment:

|
usab
|
qa concept of response spectrum back to experiments smk defect description in the concept of response spectrum experiment the back to experiments link is not present in the page instead the back to experiments link should be displayed on the screen in order to view the list of experiments by the user actual result in the concept of response spectrum experiment the back to experiments link is not present in the page environment os windows ubuntu centos browsers firefox chrome chromium bandwidth hardware configuration processor test step link attachment
| 1
|
8,247
| 5,535,919,558
|
IssuesEvent
|
2017-03-21 18:24:01
|
openstreetmap/iD
|
https://api.github.com/repos/openstreetmap/iD
|
closed
|
Visibility of Select Halos when objects very close together
|
usability
|
The visibility of the select halos with the current breathe behavior is not always good.
Copied from #2879:
- Visibility of the halo is bad here:

https://openstreetmap.us/iD/master/#background=Bing&id=w111263466&map=17.52/7.00132/49.22868
Visibily of the ends of the way is good, but these might be outside of the visible area in general.
I believe selection halos need to be drawn on top of all objects except of selected objects.
> Comment bhousel:
> I agree that looks bad there - I'll try to adjust the draw order so that the halos appear above neighboring features.
- Due to the breathe behavior the selection halos are quite invisible for some time. This might be an issue if the user is not working slowly.
How about making the halo more intense during the time of being thin?
> Comment bhousel:
> I did try this originally, an early version looked more like the "radar ping" that iOS Maps app uses to show the user's location - their halo starts out bright and then drops off as it spreads out. I found that although that style looked "prettier" (less "throbby") it was also much less visible during most of the animation.
|
True
|
Visibility of Select Halos when objects very close together - The visibility of the select halos with the current breathe behavior is not always good.
Copied from #2879:
- Visibility of the halo is bad here:

https://openstreetmap.us/iD/master/#background=Bing&id=w111263466&map=17.52/7.00132/49.22868
Visibily of the ends of the way is good, but these might be outside of the visible area in general.
I believe selection halos need to be drawn on top of all objects except of selected objects.
> Comment bhousel:
> I agree that looks bad there - I'll try to adjust the draw order so that the halos appear above neighboring features.
- Due to the breathe behavior the selection halos are quite invisible for some time. This might be an issue if the user is not working slowly.
How about making the halo more intense during the time of being thin?
> Comment bhousel:
> I did try this originally, an early version looked more like the "radar ping" that iOS Maps app uses to show the user's location - their halo starts out bright and then drops off as it spreads out. I found that although that style looked "prettier" (less "throbby") it was also much less visible during most of the animation.
|
usab
|
visibility of select halos when objects very close together the visibility of the select halos with the current breathe behavior is not always good copied from visibility of the halo is bad here visibily of the ends of the way is good but these might be outside of the visible area in general i believe selection halos need to be drawn on top of all objects except of selected objects comment bhousel i agree that looks bad there i ll try to adjust the draw order so that the halos appear above neighboring features due to the breathe behavior the selection halos are quite invisible for some time this might be an issue if the user is not working slowly how about making the halo more intense during the time of being thin comment bhousel i did try this originally an early version looked more like the radar ping that ios maps app uses to show the user s location their halo starts out bright and then drops off as it spreads out i found that although that style looked prettier less throbby it was also much less visible during most of the animation
| 1
|
26,557
| 26,965,402,957
|
IssuesEvent
|
2023-02-08 21:52:22
|
bevyengine/bevy
|
https://api.github.com/repos/bevyengine/bevy
|
closed
|
`OrthographicProjection`'s public fields are misleading
|
C-Bug C-Docs A-Rendering C-Usability
|
## What problem does this solve or what need does it fill?
While working on #6177, I noticed some problems with `OrthographicProjection`'s public fields:
- `left`, `right`, `bottom`, and `top`, which are used to set the borders of the projection, are public, even though they'll be set automatically if `scaling_mode` is anything other than `ScalingMode::None`.
- `window_origin` affects the origin of the scaling, which means it doesn't have any effect if `scaling_mode` is `ScalingMode::None`.
## What solution would you like?
- `left`, `right`, `bottom`, and `top` should be private with public getters. Maybe they can be set through `ScalingMode::None`'s fields; this might make it a bit difficult to update though.
- `window_origin` should be renamed to `scaling_origin` or something similar.
## What alternative(s) have you considered?
Replace `scale` with separate width and height values, which will scale the entire projection whether `scaling_mode` is enabled or not. Then make `window_origin` (`scaling_origin`) more flexible with a fractional value of the width and height instead of just `WindowOrigin::BottomLeft` and `WindowOrigin::Center`. This will improve usability overall.
|
True
|
`OrthographicProjection`'s public fields are misleading - ## What problem does this solve or what need does it fill?
While working on #6177, I noticed some problems with `OrthographicProjection`'s public fields:
- `left`, `right`, `bottom`, and `top`, which are used to set the borders of the projection, are public, even though they'll be set automatically if `scaling_mode` is anything other than `ScalingMode::None`.
- `window_origin` affects the origin of the scaling, which means it doesn't have any effect if `scaling_mode` is `ScalingMode::None`.
## What solution would you like?
- `left`, `right`, `bottom`, and `top` should be private with public getters. Maybe they can be set through `ScalingMode::None`'s fields; this might make it a bit difficult to update though.
- `window_origin` should be renamed to `scaling_origin` or something similar.
## What alternative(s) have you considered?
Replace `scale` with separate width and height values, which will scale the entire projection whether `scaling_mode` is enabled or not. Then make `window_origin` (`scaling_origin`) more flexible with a fractional value of the width and height instead of just `WindowOrigin::BottomLeft` and `WindowOrigin::Center`. This will improve usability overall.
|
usab
|
orthographicprojection s public fields are misleading what problem does this solve or what need does it fill while working on i noticed some problems with orthographicprojection s public fields left right bottom and top which are used to set the borders of the projection are public even though they ll be set automatically if scaling mode is anything other than scalingmode none window origin affects the origin of the scaling which means it doesn t have any effect if scaling mode is scalingmode none what solution would you like left right bottom and top should be private with public getters maybe they can be set through scalingmode none s fields this might make it a bit difficult to update though window origin should be renamed to scaling origin or something similar what alternative s have you considered replace scale with separate width and height values which will scale the entire projection whether scaling mode is enabled or not then make window origin scaling origin more flexible with a fractional value of the width and height instead of just windoworigin bottomleft and windoworigin center this will improve usability overall
| 1
|
828,764
| 31,841,598,593
|
IssuesEvent
|
2023-09-14 16:42:56
|
Souchy/Celebi
|
https://api.github.com/repos/Souchy/Celebi
|
reopened
|
Task: Add integration tests for all creatures and spells
|
task priority: low
|
Helps debug every creature/spell/effect model and make sure Eevee systems work properly.
- Need to add checks for contextual stats
- Need to test status + turns passing (triggers + expiration)
|
1.0
|
Task: Add integration tests for all creatures and spells - Helps debug every creature/spell/effect model and make sure Eevee systems work properly.
- Need to add checks for contextual stats
- Need to test status + turns passing (triggers + expiration)
|
non_usab
|
task add integration tests for all creatures and spells helps debug every creature spell effect model and make sure eevee systems work properly need to add checks for contextual stats need to test status turns passing triggers expiration
| 0
|
110,999
| 13,996,860,240
|
IssuesEvent
|
2020-10-28 06:50:13
|
imelilabourne/Shopping-App
|
https://api.github.com/repos/imelilabourne/Shopping-App
|
closed
|
Shop: Item Border
|
Design RESOLVED enhancement
|
Current Design: Too much space between the image, name, and price

As much as possible, group related items together.
Suggestion:
1. Put border per product, inside the border must contain all the details of the product.
2. Add to Cart and Add/Subtract quantity buttons must be after the image, description, name, and price.

|
1.0
|
Shop: Item Border - Current Design: Too much space between the image, name, and price

As much as possible, group related items together.
Suggestion:
1. Put border per product, inside the border must contain all the details of the product.
2. Add to Cart and Add/Subtract quantity buttons must be after the image, description, name, and price.

|
non_usab
|
shop item border current design too much space between the image name and price as much as possible group related items together suggestion put border per product inside the border must contain all the details of the product add to cart and add subtract quantity buttons must be after the image description name and price
| 0
|
113,554
| 17,146,567,880
|
IssuesEvent
|
2021-07-13 15:10:19
|
idonthaveafifaaddiction/fetch
|
https://api.github.com/repos/idonthaveafifaaddiction/fetch
|
opened
|
CVE-2015-8858 (High) detected in uglify-js-2.3.6.tgz
|
security vulnerability
|
## CVE-2015-8858 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>uglify-js-2.3.6.tgz</b></p></summary>
<p>JavaScript parser, mangler/compressor and beautifier toolkit</p>
<p>Library home page: <a href="https://registry.npmjs.org/uglify-js/-/uglify-js-2.3.6.tgz">https://registry.npmjs.org/uglify-js/-/uglify-js-2.3.6.tgz</a></p>
<p>Path to dependency file: fetch/package.json</p>
<p>Path to vulnerable library: fetch/node_modules/uglify-js/package.json</p>
<p>
Dependency Hierarchy:
- bower-1.3.8.tgz (Root Library)
- handlebars-1.3.0.tgz
- :x: **uglify-js-2.3.6.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/idonthaveafifaaddiction/fetch/commit/d1ee9e90034df3dbf9ca454a1f60b2956e020fbf">d1ee9e90034df3dbf9ca454a1f60b2956e020fbf</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
The uglify-js package before 2.6.0 for Node.js allows attackers to cause a denial of service (CPU consumption) via crafted input in a parse call, aka a "regular expression denial of service (ReDoS)."
<p>Publish Date: 2017-01-23
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2015-8858>CVE-2015-8858</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2015-8858">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2015-8858</a></p>
<p>Release Date: 2018-12-15</p>
<p>Fix Resolution: v2.6.0</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"uglify-js","packageVersion":"2.3.6","packageFilePaths":["/package.json"],"isTransitiveDependency":true,"dependencyTree":"bower:1.3.8;handlebars:1.3.0;uglify-js:2.3.6","isMinimumFixVersionAvailable":true,"minimumFixVersion":"v2.6.0"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2015-8858","vulnerabilityDetails":"The uglify-js package before 2.6.0 for Node.js allows attackers to cause a denial of service (CPU consumption) via crafted input in a parse call, aka a \"regular expression denial of service (ReDoS).\"","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2015-8858","cvss3Severity":"high","cvss3Score":"7.5","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"None","UI":"None","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> -->
|
True
|
CVE-2015-8858 (High) detected in uglify-js-2.3.6.tgz - ## CVE-2015-8858 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>uglify-js-2.3.6.tgz</b></p></summary>
<p>JavaScript parser, mangler/compressor and beautifier toolkit</p>
<p>Library home page: <a href="https://registry.npmjs.org/uglify-js/-/uglify-js-2.3.6.tgz">https://registry.npmjs.org/uglify-js/-/uglify-js-2.3.6.tgz</a></p>
<p>Path to dependency file: fetch/package.json</p>
<p>Path to vulnerable library: fetch/node_modules/uglify-js/package.json</p>
<p>
Dependency Hierarchy:
- bower-1.3.8.tgz (Root Library)
- handlebars-1.3.0.tgz
- :x: **uglify-js-2.3.6.tgz** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/idonthaveafifaaddiction/fetch/commit/d1ee9e90034df3dbf9ca454a1f60b2956e020fbf">d1ee9e90034df3dbf9ca454a1f60b2956e020fbf</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
The uglify-js package before 2.6.0 for Node.js allows attackers to cause a denial of service (CPU consumption) via crafted input in a parse call, aka a "regular expression denial of service (ReDoS)."
<p>Publish Date: 2017-01-23
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2015-8858>CVE-2015-8858</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: None
- Integrity Impact: None
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2015-8858">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2015-8858</a></p>
<p>Release Date: 2018-12-15</p>
<p>Fix Resolution: v2.6.0</p>
</p>
</details>
<p></p>
<!-- <REMEDIATE>{"isOpenPROnVulnerability":false,"isPackageBased":true,"isDefaultBranch":true,"packages":[{"packageType":"javascript/Node.js","packageName":"uglify-js","packageVersion":"2.3.6","packageFilePaths":["/package.json"],"isTransitiveDependency":true,"dependencyTree":"bower:1.3.8;handlebars:1.3.0;uglify-js:2.3.6","isMinimumFixVersionAvailable":true,"minimumFixVersion":"v2.6.0"}],"baseBranches":["master"],"vulnerabilityIdentifier":"CVE-2015-8858","vulnerabilityDetails":"The uglify-js package before 2.6.0 for Node.js allows attackers to cause a denial of service (CPU consumption) via crafted input in a parse call, aka a \"regular expression denial of service (ReDoS).\"","vulnerabilityUrl":"https://vuln.whitesourcesoftware.com/vulnerability/CVE-2015-8858","cvss3Severity":"high","cvss3Score":"7.5","cvss3Metrics":{"A":"High","AC":"Low","PR":"None","S":"Unchanged","C":"None","UI":"None","AV":"Network","I":"None"},"extraData":{}}</REMEDIATE> -->
|
non_usab
|
cve high detected in uglify js tgz cve high severity vulnerability vulnerable library uglify js tgz javascript parser mangler compressor and beautifier toolkit library home page a href path to dependency file fetch package json path to vulnerable library fetch node modules uglify js package json dependency hierarchy bower tgz root library handlebars tgz x uglify js tgz vulnerable library found in head commit a href found in base branch master vulnerability details the uglify js package before for node js allows attackers to cause a denial of service cpu consumption via crafted input in a parse call aka a regular expression denial of service redos publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact none integrity impact none availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution isopenpronvulnerability false ispackagebased true isdefaultbranch true packages istransitivedependency true dependencytree bower handlebars uglify js isminimumfixversionavailable true minimumfixversion basebranches vulnerabilityidentifier cve vulnerabilitydetails the uglify js package before for node js allows attackers to cause a denial of service cpu consumption via crafted input in a parse call aka a regular expression denial of service redos vulnerabilityurl
| 0
|
86,198
| 10,477,082,825
|
IssuesEvent
|
2019-09-23 20:04:55
|
weaveworks/ignite
|
https://api.github.com/repos/weaveworks/ignite
|
closed
|
Documented install breaks docker-ce .deb installations
|
area/runtime kind/bug kind/documentation priority/important-soon
|
This is because we document that users install `containerd` from the default ubuntu apt repos.
`docker-ce` uses its own version called `containerd.io`.
These packages conflict and installing one will stop the other from running which naturally kills dockerd as well.
We can prevent this by checking for `which containerd` before installing the recommended package.
|
1.0
|
Documented install breaks docker-ce .deb installations - This is because we document that users install `containerd` from the default ubuntu apt repos.
`docker-ce` uses its own version called `containerd.io`.
These packages conflict and installing one will stop the other from running which naturally kills dockerd as well.
We can prevent this by checking for `which containerd` before installing the recommended package.
|
non_usab
|
documented install breaks docker ce deb installations this is because we document that users install containerd from the default ubuntu apt repos docker ce uses its own version called containerd io these packages conflict and installing one will stop the other from running which naturally kills dockerd as well we can prevent this by checking for which containerd before installing the recommended package
| 0
|
22,287
| 18,951,043,567
|
IssuesEvent
|
2021-11-18 15:12:27
|
merico-dev/lake
|
https://api.github.com/repos/merico-dev/lake
|
closed
|
Progress Details with higher granularity
|
proposal iter5 usability
|
## Description
Currently, our progress updates from tasks is very low resolution and doesn't provide very much information.
## Describe the solution you'd like
We should improve progress updates by giving users more specific messages about what their plugin is doing, and some numerical idea about how far along it is in the process.
Each plugin handles their own progress, so this task requires improvement for each plugin:
- [ ] Jira #479
- [ ] GitLab #813
- [ ] GitHub #814
- [ ] Jenkins #815
## Has the Feature been Requested Before?
No.
|
True
|
Progress Details with higher granularity - ## Description
Currently, our progress updates from tasks is very low resolution and doesn't provide very much information.
## Describe the solution you'd like
We should improve progress updates by giving users more specific messages about what their plugin is doing, and some numerical idea about how far along it is in the process.
Each plugin handles their own progress, so this task requires improvement for each plugin:
- [ ] Jira #479
- [ ] GitLab #813
- [ ] GitHub #814
- [ ] Jenkins #815
## Has the Feature been Requested Before?
No.
|
usab
|
progress details with higher granularity description currently our progress updates from tasks is very low resolution and doesn t provide very much information describe the solution you d like we should improve progress updates by giving users more specific messages about what their plugin is doing and some numerical idea about how far along it is in the process each plugin handles their own progress so this task requires improvement for each plugin jira gitlab github jenkins has the feature been requested before no
| 1
|
1,271
| 2,774,955,350
|
IssuesEvent
|
2015-05-04 13:23:37
|
tgstation/-tg-station
|
https://api.github.com/repos/tgstation/-tg-station
|
closed
|
Air alarm window refreshes and scrolls back to the top each time a button is pressed
|
Not a bug Usability
|
Makes it a pain in the ass using this UI.
|
True
|
Air alarm window refreshes and scrolls back to the top each time a button is pressed - Makes it a pain in the ass using this UI.
|
usab
|
air alarm window refreshes and scrolls back to the top each time a button is pressed makes it a pain in the ass using this ui
| 1
|
10,532
| 6,792,775,735
|
IssuesEvent
|
2017-11-01 02:45:49
|
openstreetmap/iD
|
https://api.github.com/repos/openstreetmap/iD
|
closed
|
Don't disable spellchecking for Changeset Comments
|
usability
|
When entering a Changeset Comment, the user finds the browser's spellchecker has been disabled.
No matter Firefox or Chromium.
But spellchecking when filling in Profile Description on ```https://www.openstreetmap.org/user/<ME>/account``` works fine, So it must be an id problem.
|
True
|
Don't disable spellchecking for Changeset Comments - When entering a Changeset Comment, the user finds the browser's spellchecker has been disabled.
No matter Firefox or Chromium.
But spellchecking when filling in Profile Description on ```https://www.openstreetmap.org/user/<ME>/account``` works fine, So it must be an id problem.
|
usab
|
don t disable spellchecking for changeset comments when entering a changeset comment the user finds the browser s spellchecker has been disabled no matter firefox or chromium but spellchecking when filling in profile description on works fine so it must be an id problem
| 1
|
216,443
| 24,281,525,638
|
IssuesEvent
|
2022-09-28 17:51:27
|
liorzilberg/struts
|
https://api.github.com/repos/liorzilberg/struts
|
opened
|
CVE-2019-12086 (High) detected in jackson-databind-2.9.5.jar
|
security vulnerability
|
## CVE-2019-12086 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.9.5.jar</b></p></summary>
<p>General data-binding functionality for Jackson: works on core streaming API</p>
<p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p>
<p>Path to dependency file: /apps/rest-showcase/pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.5/jackson-databind-2.9.5.jar</p>
<p>
Dependency Hierarchy:
- jackson-dataformat-xml-2.9.5.jar (Root Library)
- :x: **jackson-databind-2.9.5.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/liorzilberg/struts/commit/6950763af860884188f4080d19a18c5ede16cd74">6950763af860884188f4080d19a18c5ede16cd74</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
A Polymorphic Typing issue was discovered in FasterXML jackson-databind 2.x before 2.9.9. When Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint, the service has the mysql-connector-java jar (8.0.14 or earlier) in the classpath, and an attacker can host a crafted MySQL server reachable by the victim, an attacker can send a crafted JSON message that allows them to read arbitrary local files on the server. This occurs because of missing com.mysql.cj.jdbc.admin.MiniAdmin validation.
<p>Publish Date: 2019-05-17
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-12086>CVE-2019-12086</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: None
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-12086">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-12086</a></p>
<p>Release Date: 2019-05-17</p>
<p>Fix Resolution (com.fasterxml.jackson.core:jackson-databind): 2.9.9</p>
<p>Direct dependency fix Resolution (com.fasterxml.jackson.dataformat:jackson-dataformat-xml): 2.9.9</p>
</p>
</details>
<p></p>
***
<!-- REMEDIATE-OPEN-PR-START -->
- [ ] Check this box to open an automated fix PR
<!-- REMEDIATE-OPEN-PR-END -->
|
True
|
CVE-2019-12086 (High) detected in jackson-databind-2.9.5.jar - ## CVE-2019-12086 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>jackson-databind-2.9.5.jar</b></p></summary>
<p>General data-binding functionality for Jackson: works on core streaming API</p>
<p>Library home page: <a href="http://github.com/FasterXML/jackson">http://github.com/FasterXML/jackson</a></p>
<p>Path to dependency file: /apps/rest-showcase/pom.xml</p>
<p>Path to vulnerable library: /home/wss-scanner/.m2/repository/com/fasterxml/jackson/core/jackson-databind/2.9.5/jackson-databind-2.9.5.jar</p>
<p>
Dependency Hierarchy:
- jackson-dataformat-xml-2.9.5.jar (Root Library)
- :x: **jackson-databind-2.9.5.jar** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/liorzilberg/struts/commit/6950763af860884188f4080d19a18c5ede16cd74">6950763af860884188f4080d19a18c5ede16cd74</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
A Polymorphic Typing issue was discovered in FasterXML jackson-databind 2.x before 2.9.9. When Default Typing is enabled (either globally or for a specific property) for an externally exposed JSON endpoint, the service has the mysql-connector-java jar (8.0.14 or earlier) in the classpath, and an attacker can host a crafted MySQL server reachable by the victim, an attacker can send a crafted JSON message that allows them to read arbitrary local files on the server. This occurs because of missing com.mysql.cj.jdbc.admin.MiniAdmin validation.
<p>Publish Date: 2019-05-17
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-12086>CVE-2019-12086</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>7.5</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: None
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: None
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-12086">https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2019-12086</a></p>
<p>Release Date: 2019-05-17</p>
<p>Fix Resolution (com.fasterxml.jackson.core:jackson-databind): 2.9.9</p>
<p>Direct dependency fix Resolution (com.fasterxml.jackson.dataformat:jackson-dataformat-xml): 2.9.9</p>
</p>
</details>
<p></p>
***
<!-- REMEDIATE-OPEN-PR-START -->
- [ ] Check this box to open an automated fix PR
<!-- REMEDIATE-OPEN-PR-END -->
|
non_usab
|
cve high detected in jackson databind jar cve high severity vulnerability vulnerable library jackson databind jar general data binding functionality for jackson works on core streaming api library home page a href path to dependency file apps rest showcase pom xml path to vulnerable library home wss scanner repository com fasterxml jackson core jackson databind jackson databind jar dependency hierarchy jackson dataformat xml jar root library x jackson databind jar vulnerable library found in head commit a href found in base branch master vulnerability details a polymorphic typing issue was discovered in fasterxml jackson databind x before when default typing is enabled either globally or for a specific property for an externally exposed json endpoint the service has the mysql connector java jar or earlier in the classpath and an attacker can host a crafted mysql server reachable by the victim an attacker can send a crafted json message that allows them to read arbitrary local files on the server this occurs because of missing com mysql cj jdbc admin miniadmin validation publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction none scope unchanged impact metrics confidentiality impact high integrity impact none availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution com fasterxml jackson core jackson databind direct dependency fix resolution com fasterxml jackson dataformat jackson dataformat xml check this box to open an automated fix pr
| 0
|
61,989
| 15,116,016,433
|
IssuesEvent
|
2021-02-09 05:52:57
|
tensorflow/tensorflow
|
https://api.github.com/repos/tensorflow/tensorflow
|
closed
|
no such package '@com_google_protobuf error while running bazel build
|
TF 1.15 stat:awaiting tensorflower subtype:windows type:build/install
|
**System information**
- OS Platform and Distribution: Windows10 x64
- TensorFlow installed from: binary
- TensorFlow version: 1.15.0
- Python version: 3.7
- Installed using: conda
- Bazel version (if compiling from source): 1.1/2.0
- CUDA/cuDNN version: 10.0
I was trying to inspect a model following the guide [here](https://github.com/tensorflow/tensorflow/blob/master/tensorflow/tools/graph_transforms/README.md#inspecting-graphs)
When running the command
```bash
bazel build tensorflow/tools/graph_transforms:summarize_graph
```
it failed with these logs
```
INFO: Writing tracer profile to 'C:/users/yy/_bazel_yy/zxtlmlwl/command.profile.gz'
INFO: Options provided by the client:
Inherited 'common' options: --isatty=1 --terminal_columns=120
INFO: Options provided by the client:
'build' options: --python_path=C:/Users/YY/Anaconda3/python.exe
INFO: Reading rc options for 'build' from e:\tensorflow\tensorflow\.bazelrc:
'build' options: --apple_platform_type=macos --define framework_shared_object=true --define open_source_build=true --java_toolchain=//third_party/toolchains/java:tf_java_toolchain --host_java_toolchain=//third_party/toolchains/java:tf_java_toolchain --define=use_fast_cpp_protos=true --define=allow_oversize_protos=true --spawn_strategy=standalone -c opt --announce_rc --define=grpc_no_ares=true --noincompatible_remove_legacy_whole_archive --enable_platform_specific_config --config=v2
INFO: Found applicable config definition build:v2 in file e:\tensorflow\tensorflow\.bazelrc: --define=tf_api_version=2 --action_env=TF2_BEHAVIOR=1
INFO: Found applicable config definition build:windows in file e:\tensorflow\tensorflow\.bazelrc: --copt=/w --copt=/D_USE_MATH_DEFINES --cxxopt=/std:c++14 --host_cxxopt=/std:c++14 --config=monolithic --copt=-DWIN32_LEAN_AND_MEAN --host_copt=-DWIN32_LEAN_AND_MEAN --copt=-DNOGDI --host_copt=-DNOGDI --linkopt=/DEBUG --host_linkopt=/DEBUG --linkopt=/OPT:REF --host_linkopt=/OPT:REF --linkopt=/OPT:ICF --host_linkopt=/OPT:ICF --experimental_strict_action_env=true --incompatible_windows_native_test_wrapper --verbose_failures --distinct_host_configuration=false
INFO: Found applicable config definition build:monolithic in file e:\tensorflow\tensorflow\.bazelrc: --define framework_shared_object=false
INFO: Call stack for the definition of repository 'com_google_protobuf' which is a tf_http_archive (rule definition at E:/tensorflow/tensorflow/third_party/repo.bzl:121:19):
- E:/tensorflow/tensorflow/tensorflow/workspace.bzl:457:5
- E:/tensorflow/tensorflow/WORKSPACE:19:1
INFO: Repository 'com_google_protobuf' used the following cache hits instead of downloading the corresponding file.
* Hash 'b9e92f9af8819bbbc514e2902aec860415b70209f31dfc8c4fa72515a5df9d59' for https://storage.googleapis.com/mirror.tensorflow.org/github.com/protocolbuffers/protobuf/archive/310ba5ee72661c081129eb878c1bbcec936b20f0.tar.gz
If the definition of 'com_google_protobuf' was updated, verify that the hashes were also updated.
ERROR: An error occurred during the fetch of repository 'com_google_protobuf':
Traceback (most recent call last):
File "E:/tensorflow/tensorflow/third_party/repo.bzl", line 101
_apply_patch(ctx, <1 more arguments>)
File "E:/tensorflow/tensorflow/third_party/repo.bzl", line 68, in _apply_patch
_execute_and_check_ret_code(ctx, <1 more arguments>)
File "E:/tensorflow/tensorflow/third_party/repo.bzl", line 52, in _execute_and_check_ret_code
fail(<1 more arguments>)
Non-zero return code(2) when executing 'C:\Windows\system32\bash.exe -l -c "patch" "-p1" "-d" "C:/users/yy/_bazel_yy/zxtlmlwl/external/com_google_protobuf" "-i" "E:/tensorflow/tensorflow/third_party/protobuf/protobuf.patch"':
Stdout:
Stderr: patch: **** Can't change to directory C:/users/yy/_bazel_yy/zxtlmlwl/external/com_google_protobuf : No such file or directory
ERROR: Analysis of target '//tensorflow/tools/graph_transforms:summarize_graph' failed; build aborted: no such package '@com_google_protobuf//': Traceback (most recent call last):
File "E:/tensorflow/tensorflow/third_party/repo.bzl", line 101
_apply_patch(ctx, <1 more arguments>)
File "E:/tensorflow/tensorflow/third_party/repo.bzl", line 68, in _apply_patch
_execute_and_check_ret_code(ctx, <1 more arguments>)
File "E:/tensorflow/tensorflow/third_party/repo.bzl", line 52, in _execute_and_check_ret_code
fail(<1 more arguments>)
Non-zero return code(2) when executing 'C:\Windows\system32\bash.exe -l -c "patch" "-p1" "-d" "C:/users/yy/_bazel_yy/zxtlmlwl/external/com_google_protobuf" "-i" "E:/tensorflow/tensorflow/third_party/protobuf/protobuf.patch"':
Stdout:
Stderr: patch: **** Can't change to directory C:/users/yy/_bazel_yy/zxtlmlwl/external/com_google_protobuf : No such file or directory
INFO: Elapsed time: 3.975s
INFO: 0 processes.
FAILED: Build did NOT complete successfully (0 packages loaded, 0 targets configured)
currently loading: tensorflow
```
I've tried diferent versions of bazel, 0.20, 1.1.0, and 2.0.0,and ```bazel clean```, the error is still there.
What makes me confused is that the " Can't change to directory C:/users/yy/_bazel_yy/zxtlmlwl/external/com_google_protobuf : No such file or directory", which in fact I can find the dir at that path
I've checked other similar issue, but none can fix this error
|
1.0
|
no such package '@com_google_protobuf error while running bazel build - **System information**
- OS Platform and Distribution: Windows10 x64
- TensorFlow installed from: binary
- TensorFlow version: 1.15.0
- Python version: 3.7
- Installed using: conda
- Bazel version (if compiling from source): 1.1/2.0
- CUDA/cuDNN version: 10.0
I was trying to inspect a model following the guide [here](https://github.com/tensorflow/tensorflow/blob/master/tensorflow/tools/graph_transforms/README.md#inspecting-graphs)
When running the command
```bash
bazel build tensorflow/tools/graph_transforms:summarize_graph
```
it failed with these logs
```
INFO: Writing tracer profile to 'C:/users/yy/_bazel_yy/zxtlmlwl/command.profile.gz'
INFO: Options provided by the client:
Inherited 'common' options: --isatty=1 --terminal_columns=120
INFO: Options provided by the client:
'build' options: --python_path=C:/Users/YY/Anaconda3/python.exe
INFO: Reading rc options for 'build' from e:\tensorflow\tensorflow\.bazelrc:
'build' options: --apple_platform_type=macos --define framework_shared_object=true --define open_source_build=true --java_toolchain=//third_party/toolchains/java:tf_java_toolchain --host_java_toolchain=//third_party/toolchains/java:tf_java_toolchain --define=use_fast_cpp_protos=true --define=allow_oversize_protos=true --spawn_strategy=standalone -c opt --announce_rc --define=grpc_no_ares=true --noincompatible_remove_legacy_whole_archive --enable_platform_specific_config --config=v2
INFO: Found applicable config definition build:v2 in file e:\tensorflow\tensorflow\.bazelrc: --define=tf_api_version=2 --action_env=TF2_BEHAVIOR=1
INFO: Found applicable config definition build:windows in file e:\tensorflow\tensorflow\.bazelrc: --copt=/w --copt=/D_USE_MATH_DEFINES --cxxopt=/std:c++14 --host_cxxopt=/std:c++14 --config=monolithic --copt=-DWIN32_LEAN_AND_MEAN --host_copt=-DWIN32_LEAN_AND_MEAN --copt=-DNOGDI --host_copt=-DNOGDI --linkopt=/DEBUG --host_linkopt=/DEBUG --linkopt=/OPT:REF --host_linkopt=/OPT:REF --linkopt=/OPT:ICF --host_linkopt=/OPT:ICF --experimental_strict_action_env=true --incompatible_windows_native_test_wrapper --verbose_failures --distinct_host_configuration=false
INFO: Found applicable config definition build:monolithic in file e:\tensorflow\tensorflow\.bazelrc: --define framework_shared_object=false
INFO: Call stack for the definition of repository 'com_google_protobuf' which is a tf_http_archive (rule definition at E:/tensorflow/tensorflow/third_party/repo.bzl:121:19):
- E:/tensorflow/tensorflow/tensorflow/workspace.bzl:457:5
- E:/tensorflow/tensorflow/WORKSPACE:19:1
INFO: Repository 'com_google_protobuf' used the following cache hits instead of downloading the corresponding file.
* Hash 'b9e92f9af8819bbbc514e2902aec860415b70209f31dfc8c4fa72515a5df9d59' for https://storage.googleapis.com/mirror.tensorflow.org/github.com/protocolbuffers/protobuf/archive/310ba5ee72661c081129eb878c1bbcec936b20f0.tar.gz
If the definition of 'com_google_protobuf' was updated, verify that the hashes were also updated.
ERROR: An error occurred during the fetch of repository 'com_google_protobuf':
Traceback (most recent call last):
File "E:/tensorflow/tensorflow/third_party/repo.bzl", line 101
_apply_patch(ctx, <1 more arguments>)
File "E:/tensorflow/tensorflow/third_party/repo.bzl", line 68, in _apply_patch
_execute_and_check_ret_code(ctx, <1 more arguments>)
File "E:/tensorflow/tensorflow/third_party/repo.bzl", line 52, in _execute_and_check_ret_code
fail(<1 more arguments>)
Non-zero return code(2) when executing 'C:\Windows\system32\bash.exe -l -c "patch" "-p1" "-d" "C:/users/yy/_bazel_yy/zxtlmlwl/external/com_google_protobuf" "-i" "E:/tensorflow/tensorflow/third_party/protobuf/protobuf.patch"':
Stdout:
Stderr: patch: **** Can't change to directory C:/users/yy/_bazel_yy/zxtlmlwl/external/com_google_protobuf : No such file or directory
ERROR: Analysis of target '//tensorflow/tools/graph_transforms:summarize_graph' failed; build aborted: no such package '@com_google_protobuf//': Traceback (most recent call last):
File "E:/tensorflow/tensorflow/third_party/repo.bzl", line 101
_apply_patch(ctx, <1 more arguments>)
File "E:/tensorflow/tensorflow/third_party/repo.bzl", line 68, in _apply_patch
_execute_and_check_ret_code(ctx, <1 more arguments>)
File "E:/tensorflow/tensorflow/third_party/repo.bzl", line 52, in _execute_and_check_ret_code
fail(<1 more arguments>)
Non-zero return code(2) when executing 'C:\Windows\system32\bash.exe -l -c "patch" "-p1" "-d" "C:/users/yy/_bazel_yy/zxtlmlwl/external/com_google_protobuf" "-i" "E:/tensorflow/tensorflow/third_party/protobuf/protobuf.patch"':
Stdout:
Stderr: patch: **** Can't change to directory C:/users/yy/_bazel_yy/zxtlmlwl/external/com_google_protobuf : No such file or directory
INFO: Elapsed time: 3.975s
INFO: 0 processes.
FAILED: Build did NOT complete successfully (0 packages loaded, 0 targets configured)
currently loading: tensorflow
```
I've tried diferent versions of bazel, 0.20, 1.1.0, and 2.0.0,and ```bazel clean```, the error is still there.
What makes me confused is that the " Can't change to directory C:/users/yy/_bazel_yy/zxtlmlwl/external/com_google_protobuf : No such file or directory", which in fact I can find the dir at that path
I've checked other similar issue, but none can fix this error
|
non_usab
|
no such package com google protobuf error while running bazel build system information os platform and distribution tensorflow installed from binary tensorflow version python version installed using conda bazel version if compiling from source cuda cudnn version i was trying to inspect a model following the guide when running the command bash bazel build tensorflow tools graph transforms summarize graph it failed with these logs info writing tracer profile to c users yy bazel yy zxtlmlwl command profile gz info options provided by the client inherited common options isatty terminal columns info options provided by the client build options python path c users yy python exe info reading rc options for build from e tensorflow tensorflow bazelrc build options apple platform type macos define framework shared object true define open source build true java toolchain third party toolchains java tf java toolchain host java toolchain third party toolchains java tf java toolchain define use fast cpp protos true define allow oversize protos true spawn strategy standalone c opt announce rc define grpc no ares true noincompatible remove legacy whole archive enable platform specific config config info found applicable config definition build in file e tensorflow tensorflow bazelrc define tf api version action env behavior info found applicable config definition build windows in file e tensorflow tensorflow bazelrc copt w copt d use math defines cxxopt std c host cxxopt std c config monolithic copt lean and mean host copt lean and mean copt dnogdi host copt dnogdi linkopt debug host linkopt debug linkopt opt ref host linkopt opt ref linkopt opt icf host linkopt opt icf experimental strict action env true incompatible windows native test wrapper verbose failures distinct host configuration false info found applicable config definition build monolithic in file e tensorflow tensorflow bazelrc define framework shared object false info call stack for the definition of repository com google protobuf which is a tf http archive rule definition at e tensorflow tensorflow third party repo bzl e tensorflow tensorflow tensorflow workspace bzl e tensorflow tensorflow workspace info repository com google protobuf used the following cache hits instead of downloading the corresponding file hash for if the definition of com google protobuf was updated verify that the hashes were also updated error an error occurred during the fetch of repository com google protobuf traceback most recent call last file e tensorflow tensorflow third party repo bzl line apply patch ctx file e tensorflow tensorflow third party repo bzl line in apply patch execute and check ret code ctx file e tensorflow tensorflow third party repo bzl line in execute and check ret code fail non zero return code when executing c windows bash exe l c patch d c users yy bazel yy zxtlmlwl external com google protobuf i e tensorflow tensorflow third party protobuf protobuf patch stdout stderr patch can t change to directory c users yy bazel yy zxtlmlwl external com google protobuf no such file or directory error analysis of target tensorflow tools graph transforms summarize graph failed build aborted no such package com google protobuf traceback most recent call last file e tensorflow tensorflow third party repo bzl line apply patch ctx file e tensorflow tensorflow third party repo bzl line in apply patch execute and check ret code ctx file e tensorflow tensorflow third party repo bzl line in execute and check ret code fail non zero return code when executing c windows bash exe l c patch d c users yy bazel yy zxtlmlwl external com google protobuf i e tensorflow tensorflow third party protobuf protobuf patch stdout stderr patch can t change to directory c users yy bazel yy zxtlmlwl external com google protobuf no such file or directory info elapsed time info processes failed build did not complete successfully packages loaded targets configured currently loading tensorflow i ve tried diferent versions of bazel and ,and bazel clean the error is still there what makes me confused is that the can t change to directory c users yy bazel yy zxtlmlwl external com google protobuf no such file or directory which in fact i can find the dir at that path i ve checked other similar issue but none can fix this error
| 0
|
6,848
| 4,581,420,063
|
IssuesEvent
|
2016-09-19 05:14:55
|
scantailor/scantailor
|
https://api.github.com/repos/scantailor/scantailor
|
opened
|
Maintain zoom level between tabs and pages
|
dewarp enhancement optimization usability [difficulty] medium
|
"The interface allows one to zoom in, but does not maintain the zoom level between pages.
It is frustrating to have to zoom every page."
_via BookBuff: https://groups.google.com/forum/#!topic/scantailor-users/1T5Dam4kVp0_
The zoom level resets even between tabs on the output page, making dewarping more of a hassle than it needs to be.
|
True
|
Maintain zoom level between tabs and pages - "The interface allows one to zoom in, but does not maintain the zoom level between pages.
It is frustrating to have to zoom every page."
_via BookBuff: https://groups.google.com/forum/#!topic/scantailor-users/1T5Dam4kVp0_
The zoom level resets even between tabs on the output page, making dewarping more of a hassle than it needs to be.
|
usab
|
maintain zoom level between tabs and pages the interface allows one to zoom in but does not maintain the zoom level between pages it is frustrating to have to zoom every page via bookbuff the zoom level resets even between tabs on the output page making dewarping more of a hassle than it needs to be
| 1
|
15,566
| 10,137,386,093
|
IssuesEvent
|
2019-08-02 15:09:27
|
godotengine/godot
|
https://api.github.com/repos/godotengine/godot
|
closed
|
Find in Files does not search scene files
|
enhancement topic:core topic:editor usability
|
**Godot version:**
3.1
**OS/device including version:**
Windows 10
**Issue description:**
Find in files seems to only search within .gd files. If your code is in the .tscn file (i.e. a large majority of the code) then it does not find it.
**Steps to reproduce:**
1. Have some known text in a scene code and a gd file.
2. Use Find In Files.
3. You will not get any results for the text within the scene code.
btw, it would be really nice if you could perform a ctrl/shift/f without having to first open a code file. More a quality of life request than a bug (but you're finding in all files, why the need to have a file open?)
Thanks.
|
True
|
Find in Files does not search scene files - **Godot version:**
3.1
**OS/device including version:**
Windows 10
**Issue description:**
Find in files seems to only search within .gd files. If your code is in the .tscn file (i.e. a large majority of the code) then it does not find it.
**Steps to reproduce:**
1. Have some known text in a scene code and a gd file.
2. Use Find In Files.
3. You will not get any results for the text within the scene code.
btw, it would be really nice if you could perform a ctrl/shift/f without having to first open a code file. More a quality of life request than a bug (but you're finding in all files, why the need to have a file open?)
Thanks.
|
usab
|
find in files does not search scene files godot version os device including version windows issue description find in files seems to only search within gd files if your code is in the tscn file i e a large majority of the code then it does not find it steps to reproduce have some known text in a scene code and a gd file use find in files you will not get any results for the text within the scene code btw it would be really nice if you could perform a ctrl shift f without having to first open a code file more a quality of life request than a bug but you re finding in all files why the need to have a file open thanks
| 1
|
19,521
| 25,832,291,397
|
IssuesEvent
|
2022-12-12 16:55:12
|
metabase/metabase
|
https://api.github.com/repos/metabase/metabase
|
closed
|
Cannot filter in Mongo on a nested key named just `_` (underscore)
|
Type:Bug Priority:P3 Database/Mongo Querying/Processor Querying/Parameters & Variables .Backend
|
Hi, I'm trying to filter a JSON/MongoDB. It works with some fields, but, for some arrays, I receive this error:
```
There was a problem with your question
Most of the time this is caused by an invalid selection or bad input value. Double check your inputs and retry your query.
`Show error details
Here's the full error message
(not ("Non-blank string" ""))
```
And in the debug:
```
03-30 15:07:16 WARN metabase.query-processor :: {:status :failed,
:class clojure.lang.ExceptionInfo,
:error (not ("Non-blank string" "")),
:stacktrace
["query_processor.resolve$fn__21338.invokeStatic(resolve.clj:136)"
"query_processor.resolve$fn__21338.invoke(resolve.clj:133)"
"query_processor.resolve$fn__21325$G__21320__21332.invoke(resolve.clj:129)"
"query_processor.resolve$value_ph_resolve_field.invokeStatic(resolve.clj:162)"
"query_processor.resolve$value_ph_resolve_field.invoke(resolve.clj:158)"
"query_processor.resolve$fn__21244$G__21226__21251.invoke(resolve.clj:40)"
"util$rpartial$fn__7447.doInvoke(util.clj:449)"
"query_processor.resolve$resolve_fields.invokeStatic(resolve.clj:211)"
"query_processor.resolve$resolve_fields.invoke(resolve.clj:188)"
"query_processor.resolve$resolve.invokeStatic(resolve.clj:269)"
"query_processor.resolve$resolve.invoke(resolve.clj:266)"
"query_processor.middleware.expand_resolve$expand_resolve_STAR_.invokeStatic(expand_resolve.clj:21)"
"query_processor.middleware.expand_resolve$expand_resolve_STAR_.invoke(expand_resolve.clj:16)"
"query_processor.middleware.add_row_count_and_status$add_row_count_and_status$fn__21473.invoke(add_row_count_and_status.clj:14)"
"driver.mongo$process_query_in_context$fn__39419$f__38894__auto____39421.invoke(mongo.clj:48)"
"driver.mongo.util$_with_mongo_connection.invokeStatic(util.clj:70)"
"driver.mongo.util$_with_mongo_connection.invoke(util.clj:42)"
"driver.mongo$process_query_in_context$fn__39419.invoke(mongo.clj:47)"
"query_processor.middleware.driver_specific$process_query_in_context$fn__22978.invoke(driver_specific.clj:12)"
"query_processor.middleware.resolve_driver$resolve_driver$fn__24064.invoke(resolve_driver.clj:14)"
"query_processor.middleware.catch_exceptions$catch_exceptions$fn__22900.invoke(catch_exceptions.clj:51)"
"query_processor$process_query.invokeStatic(query_processor.clj:64)"
"query_processor$process_query.invoke(query_processor.clj:59)"
"query_processor$run_and_save_query_BANG_.invokeStatic(query_processor.clj:180)"
"query_processor$run_and_save_query_BANG_.invoke(query_processor.clj:175)"
"query_processor$fn__24095$dataset_query__24100$fn__24101.invoke(query_processor.clj:212)"
"query_processor$fn__24095$dataset_query__24100.invoke(query_processor.clj:199)"
"api.dataset$fn__24866$fn__24869.invoke(dataset.clj:36)"
"api.common.internal$do_with_caught_api_exceptions.invokeStatic(internal.clj:229)"
"api.common.internal$do_with_caught_api_exceptions.invoke(internal.clj:224)"
"api.dataset$fn__24866.invokeStatic(dataset.clj:30)"
"api.dataset$fn__24866.invoke(dataset.clj:30)"
"middleware$enforce_authentication$fn__34556.invoke(middleware.clj:119)"
"api.routes$fn__34682.invokeStatic(routes.clj:57)"
"api.routes$fn__34682.invoke(routes.clj:57)"
"routes$fn__35755.invokeStatic(routes.clj:44)"
"routes$fn__35755.invoke(routes.clj:44)"
"middleware$log_api_call$fn__34655$fn__34657.invoke(middleware.clj:331)"
"middleware$log_api_call$fn__34655.invoke(middleware.clj:330)"
"middleware$add_security_headers$fn__34605.invoke(middleware.clj:246)"
"middleware$bind_current_user$fn__34560.invoke(middleware.clj:139)"
"middleware$maybe_set_site_url$fn__34609.invoke(middleware.clj:268)"],
:query
{:type "query",
:query {:source_table 47, :filter ["AND" ["CONTAINS" ["field-id" 1099] "casa"]]},
:parameters [],
:constraints {:max-results 10000, :max-results-bare-rows 2000},
:info
{:executed-by 1,
:context :ad-hoc,
:query-hash [37, 97, -56, -4, 102, 110, -18, 103, 82, -92, 97, 49, -79, 118, 71, -36, -85, 93, 75, 35, 106, 56, 96, 115, -40, 20, -24, -102, -44, -19, 91, 10],
:query-type "MBQL"}},
:expanded-query nil,
:ex-data
{:type :schema.core/error,
:schema metabase.query_processor.interface.Value,
:value
{:value "casa",
:field
{:field-id 1099,
:field-name "_",
:field-display-name "",
:base-type :type/Text,
:special-type nil,
:visibility-type :normal,
:table-id 47,
:schema-name nil,
:table-name nil,
:position nil,
:fk-field-id nil,
:description nil,
:parent-id 1098,
:parent {:field-id 1098, :fk-field-id nil, :datetime-unit nil}}},
:error {:field (named {:field-display-name (not ("Non-blank string" ""))} "field or expression reference")}}}
```
```
03-30 15:07:16 WARN metabase.query-processor :: Query failure: (not ("Non-blank string" ""))
["query_processor$assert_query_status_successful.invokeStatic(query_processor.clj:149)"
"query_processor$assert_query_status_successful.invoke(query_processor.clj:142)"
"query_processor$run_and_save_query_BANG_.invokeStatic(query_processor.clj:181)"
"query_processor$run_and_save_query_BANG_.invoke(query_processor.clj:175)"
"query_processor$fn__24095$dataset_query__24100$fn__24101.invoke(query_processor.clj:212)"
"query_processor$fn__24095$dataset_query__24100.invoke(query_processor.clj:199)"
"api.dataset$fn__24866$fn__24869.invoke(dataset.clj:36)"
"api.common.internal$do_with_caught_api_exceptions.invokeStatic(internal.clj:229)"
"api.common.internal$do_with_caught_api_exceptions.invoke(internal.clj:224)"
"api.dataset$fn__24866.invokeStatic(dataset.clj:30)"
"api.dataset$fn__24866.invoke(dataset.clj:30)"
"middleware$enforce_authentication$fn__34556.invoke(middleware.clj:119)"
"api.routes$fn__34682.invokeStatic(routes.clj:57)"
"api.routes$fn__34682.invoke(routes.clj:57)"
"routes$fn__35755.invokeStatic(routes.clj:44)"
"routes$fn__35755.invoke(routes.clj:44)"
"middleware$log_api_call$fn__34655$fn__34657.invoke(middleware.clj:331)"
"middleware$log_api_call$fn__34655.invoke(middleware.clj:330)"
"middleware$add_security_headers$fn__34605.invoke(middleware.clj:246)"
"middleware$bind_current_user$fn__34560.invoke(middleware.clj:139)"
"middleware$maybe_set_site_url$fn__34609.invoke(middleware.clj:268)"]
```
And here are the problematic fields
```
"v99": {
"_": "Rolos 1 a 4 com pista dupla. Rolo 5 com pista simples"
}
"v2": {
"_": "B2-035-F-III"
},
```
-------
Metabase version: 0.23
Database: MongoDB - 3.4
|
1.0
|
Cannot filter in Mongo on a nested key named just `_` (underscore) - Hi, I'm trying to filter a JSON/MongoDB. It works with some fields, but, for some arrays, I receive this error:
```
There was a problem with your question
Most of the time this is caused by an invalid selection or bad input value. Double check your inputs and retry your query.
`Show error details
Here's the full error message
(not ("Non-blank string" ""))
```
And in the debug:
```
03-30 15:07:16 WARN metabase.query-processor :: {:status :failed,
:class clojure.lang.ExceptionInfo,
:error (not ("Non-blank string" "")),
:stacktrace
["query_processor.resolve$fn__21338.invokeStatic(resolve.clj:136)"
"query_processor.resolve$fn__21338.invoke(resolve.clj:133)"
"query_processor.resolve$fn__21325$G__21320__21332.invoke(resolve.clj:129)"
"query_processor.resolve$value_ph_resolve_field.invokeStatic(resolve.clj:162)"
"query_processor.resolve$value_ph_resolve_field.invoke(resolve.clj:158)"
"query_processor.resolve$fn__21244$G__21226__21251.invoke(resolve.clj:40)"
"util$rpartial$fn__7447.doInvoke(util.clj:449)"
"query_processor.resolve$resolve_fields.invokeStatic(resolve.clj:211)"
"query_processor.resolve$resolve_fields.invoke(resolve.clj:188)"
"query_processor.resolve$resolve.invokeStatic(resolve.clj:269)"
"query_processor.resolve$resolve.invoke(resolve.clj:266)"
"query_processor.middleware.expand_resolve$expand_resolve_STAR_.invokeStatic(expand_resolve.clj:21)"
"query_processor.middleware.expand_resolve$expand_resolve_STAR_.invoke(expand_resolve.clj:16)"
"query_processor.middleware.add_row_count_and_status$add_row_count_and_status$fn__21473.invoke(add_row_count_and_status.clj:14)"
"driver.mongo$process_query_in_context$fn__39419$f__38894__auto____39421.invoke(mongo.clj:48)"
"driver.mongo.util$_with_mongo_connection.invokeStatic(util.clj:70)"
"driver.mongo.util$_with_mongo_connection.invoke(util.clj:42)"
"driver.mongo$process_query_in_context$fn__39419.invoke(mongo.clj:47)"
"query_processor.middleware.driver_specific$process_query_in_context$fn__22978.invoke(driver_specific.clj:12)"
"query_processor.middleware.resolve_driver$resolve_driver$fn__24064.invoke(resolve_driver.clj:14)"
"query_processor.middleware.catch_exceptions$catch_exceptions$fn__22900.invoke(catch_exceptions.clj:51)"
"query_processor$process_query.invokeStatic(query_processor.clj:64)"
"query_processor$process_query.invoke(query_processor.clj:59)"
"query_processor$run_and_save_query_BANG_.invokeStatic(query_processor.clj:180)"
"query_processor$run_and_save_query_BANG_.invoke(query_processor.clj:175)"
"query_processor$fn__24095$dataset_query__24100$fn__24101.invoke(query_processor.clj:212)"
"query_processor$fn__24095$dataset_query__24100.invoke(query_processor.clj:199)"
"api.dataset$fn__24866$fn__24869.invoke(dataset.clj:36)"
"api.common.internal$do_with_caught_api_exceptions.invokeStatic(internal.clj:229)"
"api.common.internal$do_with_caught_api_exceptions.invoke(internal.clj:224)"
"api.dataset$fn__24866.invokeStatic(dataset.clj:30)"
"api.dataset$fn__24866.invoke(dataset.clj:30)"
"middleware$enforce_authentication$fn__34556.invoke(middleware.clj:119)"
"api.routes$fn__34682.invokeStatic(routes.clj:57)"
"api.routes$fn__34682.invoke(routes.clj:57)"
"routes$fn__35755.invokeStatic(routes.clj:44)"
"routes$fn__35755.invoke(routes.clj:44)"
"middleware$log_api_call$fn__34655$fn__34657.invoke(middleware.clj:331)"
"middleware$log_api_call$fn__34655.invoke(middleware.clj:330)"
"middleware$add_security_headers$fn__34605.invoke(middleware.clj:246)"
"middleware$bind_current_user$fn__34560.invoke(middleware.clj:139)"
"middleware$maybe_set_site_url$fn__34609.invoke(middleware.clj:268)"],
:query
{:type "query",
:query {:source_table 47, :filter ["AND" ["CONTAINS" ["field-id" 1099] "casa"]]},
:parameters [],
:constraints {:max-results 10000, :max-results-bare-rows 2000},
:info
{:executed-by 1,
:context :ad-hoc,
:query-hash [37, 97, -56, -4, 102, 110, -18, 103, 82, -92, 97, 49, -79, 118, 71, -36, -85, 93, 75, 35, 106, 56, 96, 115, -40, 20, -24, -102, -44, -19, 91, 10],
:query-type "MBQL"}},
:expanded-query nil,
:ex-data
{:type :schema.core/error,
:schema metabase.query_processor.interface.Value,
:value
{:value "casa",
:field
{:field-id 1099,
:field-name "_",
:field-display-name "",
:base-type :type/Text,
:special-type nil,
:visibility-type :normal,
:table-id 47,
:schema-name nil,
:table-name nil,
:position nil,
:fk-field-id nil,
:description nil,
:parent-id 1098,
:parent {:field-id 1098, :fk-field-id nil, :datetime-unit nil}}},
:error {:field (named {:field-display-name (not ("Non-blank string" ""))} "field or expression reference")}}}
```
```
03-30 15:07:16 WARN metabase.query-processor :: Query failure: (not ("Non-blank string" ""))
["query_processor$assert_query_status_successful.invokeStatic(query_processor.clj:149)"
"query_processor$assert_query_status_successful.invoke(query_processor.clj:142)"
"query_processor$run_and_save_query_BANG_.invokeStatic(query_processor.clj:181)"
"query_processor$run_and_save_query_BANG_.invoke(query_processor.clj:175)"
"query_processor$fn__24095$dataset_query__24100$fn__24101.invoke(query_processor.clj:212)"
"query_processor$fn__24095$dataset_query__24100.invoke(query_processor.clj:199)"
"api.dataset$fn__24866$fn__24869.invoke(dataset.clj:36)"
"api.common.internal$do_with_caught_api_exceptions.invokeStatic(internal.clj:229)"
"api.common.internal$do_with_caught_api_exceptions.invoke(internal.clj:224)"
"api.dataset$fn__24866.invokeStatic(dataset.clj:30)"
"api.dataset$fn__24866.invoke(dataset.clj:30)"
"middleware$enforce_authentication$fn__34556.invoke(middleware.clj:119)"
"api.routes$fn__34682.invokeStatic(routes.clj:57)"
"api.routes$fn__34682.invoke(routes.clj:57)"
"routes$fn__35755.invokeStatic(routes.clj:44)"
"routes$fn__35755.invoke(routes.clj:44)"
"middleware$log_api_call$fn__34655$fn__34657.invoke(middleware.clj:331)"
"middleware$log_api_call$fn__34655.invoke(middleware.clj:330)"
"middleware$add_security_headers$fn__34605.invoke(middleware.clj:246)"
"middleware$bind_current_user$fn__34560.invoke(middleware.clj:139)"
"middleware$maybe_set_site_url$fn__34609.invoke(middleware.clj:268)"]
```
And here are the problematic fields
```
"v99": {
"_": "Rolos 1 a 4 com pista dupla. Rolo 5 com pista simples"
}
"v2": {
"_": "B2-035-F-III"
},
```
-------
Metabase version: 0.23
Database: MongoDB - 3.4
|
non_usab
|
cannot filter in mongo on a nested key named just underscore hi i m trying to filter a json mongodb it works with some fields but for some arrays i receive this error there was a problem with your question most of the time this is caused by an invalid selection or bad input value double check your inputs and retry your query show error details here s the full error message not non blank string and in the debug warn metabase query processor status failed class clojure lang exceptioninfo error not non blank string stacktrace query processor resolve fn invokestatic resolve clj query processor resolve fn invoke resolve clj query processor resolve fn g invoke resolve clj query processor resolve value ph resolve field invokestatic resolve clj query processor resolve value ph resolve field invoke resolve clj query processor resolve fn g invoke resolve clj util rpartial fn doinvoke util clj query processor resolve resolve fields invokestatic resolve clj query processor resolve resolve fields invoke resolve clj query processor resolve resolve invokestatic resolve clj query processor resolve resolve invoke resolve clj query processor middleware expand resolve expand resolve star invokestatic expand resolve clj query processor middleware expand resolve expand resolve star invoke expand resolve clj query processor middleware add row count and status add row count and status fn invoke add row count and status clj driver mongo process query in context fn f auto invoke mongo clj driver mongo util with mongo connection invokestatic util clj driver mongo util with mongo connection invoke util clj driver mongo process query in context fn invoke mongo clj query processor middleware driver specific process query in context fn invoke driver specific clj query processor middleware resolve driver resolve driver fn invoke resolve driver clj query processor middleware catch exceptions catch exceptions fn invoke catch exceptions clj query processor process query invokestatic query processor clj query processor process query invoke query processor clj query processor run and save query bang invokestatic query processor clj query processor run and save query bang invoke query processor clj query processor fn dataset query fn invoke query processor clj query processor fn dataset query invoke query processor clj api dataset fn fn invoke dataset clj api common internal do with caught api exceptions invokestatic internal clj api common internal do with caught api exceptions invoke internal clj api dataset fn invokestatic dataset clj api dataset fn invoke dataset clj middleware enforce authentication fn invoke middleware clj api routes fn invokestatic routes clj api routes fn invoke routes clj routes fn invokestatic routes clj routes fn invoke routes clj middleware log api call fn fn invoke middleware clj middleware log api call fn invoke middleware clj middleware add security headers fn invoke middleware clj middleware bind current user fn invoke middleware clj middleware maybe set site url fn invoke middleware clj query type query query source table filter casa parameters constraints max results max results bare rows info executed by context ad hoc query hash query type mbql expanded query nil ex data type schema core error schema metabase query processor interface value value value casa field field id field name field display name base type type text special type nil visibility type normal table id schema name nil table name nil position nil fk field id nil description nil parent id parent field id fk field id nil datetime unit nil error field named field display name not non blank string field or expression reference warn metabase query processor query failure not non blank string query processor assert query status successful invokestatic query processor clj query processor assert query status successful invoke query processor clj query processor run and save query bang invokestatic query processor clj query processor run and save query bang invoke query processor clj query processor fn dataset query fn invoke query processor clj query processor fn dataset query invoke query processor clj api dataset fn fn invoke dataset clj api common internal do with caught api exceptions invokestatic internal clj api common internal do with caught api exceptions invoke internal clj api dataset fn invokestatic dataset clj api dataset fn invoke dataset clj middleware enforce authentication fn invoke middleware clj api routes fn invokestatic routes clj api routes fn invoke routes clj routes fn invokestatic routes clj routes fn invoke routes clj middleware log api call fn fn invoke middleware clj middleware log api call fn invoke middleware clj middleware add security headers fn invoke middleware clj middleware bind current user fn invoke middleware clj middleware maybe set site url fn invoke middleware clj and here are the problematic fields rolos a com pista dupla rolo com pista simples f iii metabase version database mongodb
| 0
|
276,405
| 8,598,066,760
|
IssuesEvent
|
2018-11-15 20:37:18
|
cBioPortal/cbioportal
|
https://api.github.com/repos/cBioPortal/cbioportal
|
opened
|
Reset filters UI is not showing up for the standalone mutation mapper
|
bug priority
|
Reset filter option is missing for the standalone mutation mapper.
Seems like a bug introduced with https://github.com/cBioPortal/cbioportal-frontend/pull/1700
|
1.0
|
Reset filters UI is not showing up for the standalone mutation mapper - Reset filter option is missing for the standalone mutation mapper.
Seems like a bug introduced with https://github.com/cBioPortal/cbioportal-frontend/pull/1700
|
non_usab
|
reset filters ui is not showing up for the standalone mutation mapper reset filter option is missing for the standalone mutation mapper seems like a bug introduced with
| 0
|
3,697
| 3,518,075,281
|
IssuesEvent
|
2016-01-12 11:01:44
|
lionheart/openradar-mirror
|
https://api.github.com/repos/lionheart/openradar-mirror
|
opened
|
24146794: SFSafariViewController: "Open in Safari" accessibilityLabel not localized
|
classification:ui/usability reproducible:always status:open
|
#### Description
The Voice Over label for the "Open in Safari" toolbar button is not localized: "Open in Safari" in the German localization.
-
Product Version: 9.2
Created: 2016-01-12T10:37:27.554980
Originated: 2016-01-12T11:37:00
Open Radar Link: http://www.openradar.me/24146794
|
True
|
24146794: SFSafariViewController: "Open in Safari" accessibilityLabel not localized - #### Description
The Voice Over label for the "Open in Safari" toolbar button is not localized: "Open in Safari" in the German localization.
-
Product Version: 9.2
Created: 2016-01-12T10:37:27.554980
Originated: 2016-01-12T11:37:00
Open Radar Link: http://www.openradar.me/24146794
|
usab
|
sfsafariviewcontroller open in safari accessibilitylabel not localized description the voice over label for the open in safari toolbar button is not localized open in safari in the german localization product version created originated open radar link
| 1
|
304,874
| 26,342,552,140
|
IssuesEvent
|
2023-01-10 18:57:11
|
microsoft/playwright
|
https://api.github.com/repos/microsoft/playwright
|
closed
|
[Feature] Make the steps API log the steps to console.
|
feature-test-runner
|
Currently, the newly released steps API doesn't keep a log of the steps being executed in the console.
It would be helpful for tracking purposes to log the steps in console in a tree-fashion
It'll be something like this:
status testSuite
-step1
-step2
Reference: https://playwright.slack.com/archives/CSUHZPVLM/p1629978340015400
|
1.0
|
[Feature] Make the steps API log the steps to console. - Currently, the newly released steps API doesn't keep a log of the steps being executed in the console.
It would be helpful for tracking purposes to log the steps in console in a tree-fashion
It'll be something like this:
status testSuite
-step1
-step2
Reference: https://playwright.slack.com/archives/CSUHZPVLM/p1629978340015400
|
non_usab
|
make the steps api log the steps to console currently the newly released steps api doesn t keep a log of the steps being executed in the console it would be helpful for tracking purposes to log the steps in console in a tree fashion it ll be something like this status testsuite reference
| 0
|
12,155
| 7,725,894,296
|
IssuesEvent
|
2018-05-24 19:26:06
|
godotengine/godot
|
https://api.github.com/repos/godotengine/godot
|
closed
|
Editor sliders are tiny and difficult to hit
|
enhancement topic:editor usability
|
**Operating system or device, Godot version, GPU Model and driver (if graphics related):**
Godot 3 beta 1
**Issue description:**
<!-- What happened, and what was expected. -->
Horizontal sliders of editor are too thin and is difficult to hit in them and drag. Contextual slider in exported variables are very very tiny. They should be taller:


|
True
|
Editor sliders are tiny and difficult to hit - **Operating system or device, Godot version, GPU Model and driver (if graphics related):**
Godot 3 beta 1
**Issue description:**
<!-- What happened, and what was expected. -->
Horizontal sliders of editor are too thin and is difficult to hit in them and drag. Contextual slider in exported variables are very very tiny. They should be taller:


|
usab
|
editor sliders are tiny and difficult to hit operating system or device godot version gpu model and driver if graphics related godot beta issue description horizontal sliders of editor are too thin and is difficult to hit in them and drag contextual slider in exported variables are very very tiny they should be taller
| 1
|
81,229
| 10,113,546,356
|
IssuesEvent
|
2019-07-30 16:59:19
|
material-components/material-components-ios
|
https://api.github.com/repos/material-components/material-components-ios
|
closed
|
Text Field Autocomplete?
|
[TextFields] skill:API design type:Feature request
|
Hi all,
Firstly, great job with this library! Out of curiosity, do the text fields offer autocomplete functionality (either inline or a dropdown, or both). For reference: http://www.material-ui.com/#/components/auto-complete. If not, is this something that you plan to implement eventually? Thanks!
<!-- Auto-generated content below, do not modify -->
---
#### Internal data
- Associated internal bug: [b/117179303](http://b/117179303)
|
1.0
|
Text Field Autocomplete? - Hi all,
Firstly, great job with this library! Out of curiosity, do the text fields offer autocomplete functionality (either inline or a dropdown, or both). For reference: http://www.material-ui.com/#/components/auto-complete. If not, is this something that you plan to implement eventually? Thanks!
<!-- Auto-generated content below, do not modify -->
---
#### Internal data
- Associated internal bug: [b/117179303](http://b/117179303)
|
non_usab
|
text field autocomplete hi all firstly great job with this library out of curiosity do the text fields offer autocomplete functionality either inline or a dropdown or both for reference if not is this something that you plan to implement eventually thanks internal data associated internal bug
| 0
|
323,541
| 23,953,350,619
|
IssuesEvent
|
2022-09-12 13:17:24
|
redhat-developer/odo
|
https://api.github.com/repos/redhat-developer/odo
|
closed
|
Add table of contents / new structure to documentation
|
kind/documentation
|
create a new issue titled "re-organize documentation" and inside that issue define the new structure (table of content) for odo documentation
|
1.0
|
Add table of contents / new structure to documentation - create a new issue titled "re-organize documentation" and inside that issue define the new structure (table of content) for odo documentation
|
non_usab
|
add table of contents new structure to documentation create a new issue titled re organize documentation and inside that issue define the new structure table of content for odo documentation
| 0
|
8,164
| 6,445,007,209
|
IssuesEvent
|
2017-08-12 20:26:04
|
reactioncommerce/reaction
|
https://api.github.com/repos/reactioncommerce/reaction
|
opened
|
use dynamic import in registerComponent
|
performance pull-requests-encouraged
|
Reaction UI components should use [dynamic imports](https://blog.meteor.com/dynamic-imports-in-meteor-1-5-c6130419c3cd) and defer loading modules by default. Perhaps we could add that functionality to registerComponent. See #2487
|
True
|
use dynamic import in registerComponent - Reaction UI components should use [dynamic imports](https://blog.meteor.com/dynamic-imports-in-meteor-1-5-c6130419c3cd) and defer loading modules by default. Perhaps we could add that functionality to registerComponent. See #2487
|
non_usab
|
use dynamic import in registercomponent reaction ui components should use and defer loading modules by default perhaps we could add that functionality to registercomponent see
| 0
|
6,464
| 4,307,552,689
|
IssuesEvent
|
2016-07-21 09:26:18
|
godotengine/godot
|
https://api.github.com/repos/godotengine/godot
|
closed
|
Ctrl+Drag to rotate collides with Ctrl+Click to add point in Path2D
|
bug topic:editor usability
|
Ctrl+Drag to rotate node,
Ctrl+Click to add point in Path2D.
They collide with each other, so when you want to rotate path2d node you add a new point instead, which is quite annoying.
|
True
|
Ctrl+Drag to rotate collides with Ctrl+Click to add point in Path2D - Ctrl+Drag to rotate node,
Ctrl+Click to add point in Path2D.
They collide with each other, so when you want to rotate path2d node you add a new point instead, which is quite annoying.
|
usab
|
ctrl drag to rotate collides with ctrl click to add point in ctrl drag to rotate node ctrl click to add point in they collide with each other so when you want to rotate node you add a new point instead which is quite annoying
| 1
|
412,035
| 27,842,558,217
|
IssuesEvent
|
2023-03-20 13:40:42
|
KinsonDigital/CASL
|
https://api.github.com/repos/KinsonDigital/CASL
|
closed
|
🚧Pack XML docs into NuGet
|
high priority preview 📝documentation/product
|
### Complete The Item Below
- [X] I have updated the title without removing the 🚧 emoji.
### Description
Setup the code XML documentation to be setup for NuGet packages for all NuGet package builds.
This will involve some simple csproj settings.
### **Project File Setup:**
This simple enables the XML docs to be generated at the path below.
```xml
<GenerateDocumentationFile>true</GenerateDocumentationFile>
```
### Acceptance Criteria
- [x] XML documentation setup to be distributed with the NuGet package
### ToDo Items
- [X] Change type labels added to this issue. Refer to the _**Change Type Labels**_ section below.
- [X] Priority label added to this issue. Refer to the _**Priority Type Labels**_ section below.
- [X] Issue linked to the correct project _(if applicable)_.
- [X] Issue linked to the correct milestone _(if applicable)_.
- [x] Draft pull request created and linked to this issue _(only required with code changes)_.
### Issue Dependencies
_No response_
### Related Work
_No response_
### Additional Information:
**_<details closed><summary>Change Type Labels</summary>_**
| Change Type | Label |
|---------------------|----------------------|
| Bug Fixes | `🐛bug` |
| Breaking Changes | `🧨breaking changes` |
| New Feature | `✨new feature` |
| Workflow Changes | `workflow` |
| Code Doc Changes | `🗒️documentation/code` |
| Product Doc Changes | `📝documentation/product` |
</details>
**_<details closed><summary>Priority Type Labels</summary>_**
| Priority Type | Label |
|---------------------|-------------------|
| Low Priority | `low priority` |
| Medium Priority | `medium priority` |
| High Priority | `high priority` |
</details>
### Code of Conduct
- [X] I agree to follow this project's Code of Conduct.
|
1.0
|
🚧Pack XML docs into NuGet - ### Complete The Item Below
- [X] I have updated the title without removing the 🚧 emoji.
### Description
Setup the code XML documentation to be setup for NuGet packages for all NuGet package builds.
This will involve some simple csproj settings.
### **Project File Setup:**
This simple enables the XML docs to be generated at the path below.
```xml
<GenerateDocumentationFile>true</GenerateDocumentationFile>
```
### Acceptance Criteria
- [x] XML documentation setup to be distributed with the NuGet package
### ToDo Items
- [X] Change type labels added to this issue. Refer to the _**Change Type Labels**_ section below.
- [X] Priority label added to this issue. Refer to the _**Priority Type Labels**_ section below.
- [X] Issue linked to the correct project _(if applicable)_.
- [X] Issue linked to the correct milestone _(if applicable)_.
- [x] Draft pull request created and linked to this issue _(only required with code changes)_.
### Issue Dependencies
_No response_
### Related Work
_No response_
### Additional Information:
**_<details closed><summary>Change Type Labels</summary>_**
| Change Type | Label |
|---------------------|----------------------|
| Bug Fixes | `🐛bug` |
| Breaking Changes | `🧨breaking changes` |
| New Feature | `✨new feature` |
| Workflow Changes | `workflow` |
| Code Doc Changes | `🗒️documentation/code` |
| Product Doc Changes | `📝documentation/product` |
</details>
**_<details closed><summary>Priority Type Labels</summary>_**
| Priority Type | Label |
|---------------------|-------------------|
| Low Priority | `low priority` |
| Medium Priority | `medium priority` |
| High Priority | `high priority` |
</details>
### Code of Conduct
- [X] I agree to follow this project's Code of Conduct.
|
non_usab
|
🚧pack xml docs into nuget complete the item below i have updated the title without removing the 🚧 emoji description setup the code xml documentation to be setup for nuget packages for all nuget package builds this will involve some simple csproj settings project file setup this simple enables the xml docs to be generated at the path below xml true acceptance criteria xml documentation setup to be distributed with the nuget package todo items change type labels added to this issue refer to the change type labels section below priority label added to this issue refer to the priority type labels section below issue linked to the correct project if applicable issue linked to the correct milestone if applicable draft pull request created and linked to this issue only required with code changes issue dependencies no response related work no response additional information change type labels change type label bug fixes 🐛bug breaking changes 🧨breaking changes new feature ✨new feature workflow changes workflow code doc changes 🗒️documentation code product doc changes 📝documentation product priority type labels priority type label low priority low priority medium priority medium priority high priority high priority code of conduct i agree to follow this project s code of conduct
| 0
|
3,866
| 3,591,968,170
|
IssuesEvent
|
2016-02-01 14:21:38
|
Yakindu/statecharts
|
https://api.github.com/repos/Yakindu/statecharts
|
opened
|
Force user to select a generator and statechart when generating code
|
Comp-Graphical Editor Usability Issue
|
When the user wants to create a new code generator, in the first step of the wizard it is possible to select "Finish" although on the next page the user has to select the generator and statechart.
-> Disable button "Finish" in the first step of the wizard.
|
True
|
Force user to select a generator and statechart when generating code - When the user wants to create a new code generator, in the first step of the wizard it is possible to select "Finish" although on the next page the user has to select the generator and statechart.
-> Disable button "Finish" in the first step of the wizard.
|
usab
|
force user to select a generator and statechart when generating code when the user wants to create a new code generator in the first step of the wizard it is possible to select finish although on the next page the user has to select the generator and statechart disable button finish in the first step of the wizard
| 1
|
394,618
| 27,034,690,613
|
IssuesEvent
|
2023-02-12 16:33:10
|
membrane/service-proxy
|
https://api.github.com/repos/membrane/service-proxy
|
opened
|
Describe the buildin variables for expressions and scripts at a central place
|
Prio-2 documentation
|
Like header, request, message, exchange.
Maybe at membrane-api.io
And link from plugins and the documentation there
|
1.0
|
Describe the buildin variables for expressions and scripts at a central place - Like header, request, message, exchange.
Maybe at membrane-api.io
And link from plugins and the documentation there
|
non_usab
|
describe the buildin variables for expressions and scripts at a central place like header request message exchange maybe at membrane api io and link from plugins and the documentation there
| 0
|
799,992
| 28,322,040,276
|
IssuesEvent
|
2023-04-11 02:33:34
|
priyankarpal/ProjectsHut
|
https://api.github.com/repos/priyankarpal/ProjectsHut
|
closed
|
🐞Bug: Product Cards are too wide to read at big screen size
|
🐞 bug ⚒️ status: Under construction 🤏 priority: medium
|
**Describe the bug**
The product cards grow extensively for large screen size, which hampers the user experience.
**To Reproduce**
Steps to reproduce the behavior:
1. Open 'Chrome Devtools'
2. Click on 'Responsive Mode'
3. Expand the screen
**Expected behavior**
The cards and the card container should have a maximum width.
**Screenshots**

**Desktop (please complete the following information):**
- OS: Windows
- Browser: Chrome
|
1.0
|
🐞Bug: Product Cards are too wide to read at big screen size - **Describe the bug**
The product cards grow extensively for large screen size, which hampers the user experience.
**To Reproduce**
Steps to reproduce the behavior:
1. Open 'Chrome Devtools'
2. Click on 'Responsive Mode'
3. Expand the screen
**Expected behavior**
The cards and the card container should have a maximum width.
**Screenshots**

**Desktop (please complete the following information):**
- OS: Windows
- Browser: Chrome
|
non_usab
|
🐞bug product cards are too wide to read at big screen size describe the bug the product cards grow extensively for large screen size which hampers the user experience to reproduce steps to reproduce the behavior open chrome devtools click on responsive mode expand the screen expected behavior the cards and the card container should have a maximum width screenshots desktop please complete the following information os windows browser chrome
| 0
|
13,701
| 8,649,954,587
|
IssuesEvent
|
2018-11-26 21:00:21
|
Microsoft/BotFramework-WebChat
|
https://api.github.com/repos/Microsoft/BotFramework-WebChat
|
closed
|
[Usable] Reading 'Group' between the text boxes while navigating in scan mode.
|
A11yUsable AccSelfLime Accessibility Bug HCL_BotFramework_WebChat Nov-18 UnderReview
|
**Actual Result:**
Narrator is reading 'Group', on Gap between the text boxes while navigating in scan mode.
**Note** - Same issue repro at -
1. URL -> Help -> Show Restaurant information using Adaptive card Button ->New Content -> Call Restaurant - Narrator is reading 'Group', Gap between the text boxes while navigating in scan mode.
Attachment **"Usable_Reading Group".**
**Expected Result:**
Narrator should not read 'Group', on Gap between the text boxes while navigating in scan mode.
**Repro Steps:**
1. Open URL [https://microsoft.github.io/BotFramework-WebChat/full-bundle/](https://microsoft.github.io/BotFramework-WebChat/full-bundle/ ) in Edge browser.
2. Notice 'Upload File' and 'Send' button icons present in bottom of screen.
3. Type 'Help' in the input control at the bottom of the screen and hit enter (or click on send button).
4. Content will upload, Navigate to any "Show an Adaptive cards with all types of inputs " button by using Tab key and press Enter on it.
5. New data will upload.
6. Open Narrator with scan mode (Caps+Space)
7. Navigate to text boxes by using Up/Down arrow keys.
8. Observe that narrator is reading 'Group' between the text boxes while navigating in scan mode.
**User Impact:**
If narrator reads group between the text boxes ,User who is dependent on screen reader, will get confuse about the purpose of the controls.
**Test Environment:**
**OS:** Windows 10
**OS Build:** 17134.345
**OS Version:** 1803
**Browser:** Edge
**Tool:** Narrator
**Attachment:**
1. [Usable_Reding group between text boxes.zip](https://github.com/Microsoft/BotFramework-WebChat/files/2579388/Usable_Reading.group.between.text.boxes.zip)
2. [Usable_Reading Group.zip](https://github.com/Microsoft/BotFramework-WebChat/files/2584539/Usable_Reading.Group.zip)
|
True
|
[Usable] Reading 'Group' between the text boxes while navigating in scan mode. - **Actual Result:**
Narrator is reading 'Group', on Gap between the text boxes while navigating in scan mode.
**Note** - Same issue repro at -
1. URL -> Help -> Show Restaurant information using Adaptive card Button ->New Content -> Call Restaurant - Narrator is reading 'Group', Gap between the text boxes while navigating in scan mode.
Attachment **"Usable_Reading Group".**
**Expected Result:**
Narrator should not read 'Group', on Gap between the text boxes while navigating in scan mode.
**Repro Steps:**
1. Open URL [https://microsoft.github.io/BotFramework-WebChat/full-bundle/](https://microsoft.github.io/BotFramework-WebChat/full-bundle/ ) in Edge browser.
2. Notice 'Upload File' and 'Send' button icons present in bottom of screen.
3. Type 'Help' in the input control at the bottom of the screen and hit enter (or click on send button).
4. Content will upload, Navigate to any "Show an Adaptive cards with all types of inputs " button by using Tab key and press Enter on it.
5. New data will upload.
6. Open Narrator with scan mode (Caps+Space)
7. Navigate to text boxes by using Up/Down arrow keys.
8. Observe that narrator is reading 'Group' between the text boxes while navigating in scan mode.
**User Impact:**
If narrator reads group between the text boxes ,User who is dependent on screen reader, will get confuse about the purpose of the controls.
**Test Environment:**
**OS:** Windows 10
**OS Build:** 17134.345
**OS Version:** 1803
**Browser:** Edge
**Tool:** Narrator
**Attachment:**
1. [Usable_Reding group between text boxes.zip](https://github.com/Microsoft/BotFramework-WebChat/files/2579388/Usable_Reading.group.between.text.boxes.zip)
2. [Usable_Reading Group.zip](https://github.com/Microsoft/BotFramework-WebChat/files/2584539/Usable_Reading.Group.zip)
|
usab
|
reading group between the text boxes while navigating in scan mode actual result narrator is reading group on gap between the text boxes while navigating in scan mode note same issue repro at url help show restaurant information using adaptive card button new content call restaurant narrator is reading group gap between the text boxes while navigating in scan mode attachment usable reading group expected result narrator should not read group on gap between the text boxes while navigating in scan mode repro steps open url in edge browser notice upload file and send button icons present in bottom of screen type help in the input control at the bottom of the screen and hit enter or click on send button content will upload navigate to any show an adaptive cards with all types of inputs button by using tab key and press enter on it new data will upload open narrator with scan mode caps space navigate to text boxes by using up down arrow keys observe that narrator is reading group between the text boxes while navigating in scan mode user impact if narrator reads group between the text boxes user who is dependent on screen reader will get confuse about the purpose of the controls test environment os windows os build os version browser edge tool narrator attachment
| 1
|
14,391
| 9,124,753,807
|
IssuesEvent
|
2019-02-24 07:01:35
|
lionheart/openradar-mirror
|
https://api.github.com/repos/lionheart/openradar-mirror
|
closed
|
46578364: Extraneous Warning For `windowShouldClose`
|
classification:usability reproducible:yes status:open
|
#### Description
Summary:
An extraneous warning is presented for `windowShouldClose` in the NSWindow delegate
Steps to Reproduce:
create an instance method `@objc func windowShouldClose(_ sender: NSWindow)` for the NSWindow delegate
Expected Results:
No warning
Actual Results:
Instance method 'windowShouldClose' nearly matches optional requirement 'windowShouldClose' of protocol 'NSWindowDelegate'
Version/Build:
Version 10.1 (10B61)
-
Product Version: Version 10.1 (10B61)
Created: 2018-12-09T05:43:47.755253
Originated: 2018-12-09T00:00:00
Open Radar Link: http://www.openradar.me/46578364
|
True
|
46578364: Extraneous Warning For `windowShouldClose` - #### Description
Summary:
An extraneous warning is presented for `windowShouldClose` in the NSWindow delegate
Steps to Reproduce:
create an instance method `@objc func windowShouldClose(_ sender: NSWindow)` for the NSWindow delegate
Expected Results:
No warning
Actual Results:
Instance method 'windowShouldClose' nearly matches optional requirement 'windowShouldClose' of protocol 'NSWindowDelegate'
Version/Build:
Version 10.1 (10B61)
-
Product Version: Version 10.1 (10B61)
Created: 2018-12-09T05:43:47.755253
Originated: 2018-12-09T00:00:00
Open Radar Link: http://www.openradar.me/46578364
|
usab
|
extraneous warning for windowshouldclose description summary an extraneous warning is presented for windowshouldclose in the nswindow delegate steps to reproduce create an instance method objc func windowshouldclose sender nswindow for the nswindow delegate expected results no warning actual results instance method windowshouldclose nearly matches optional requirement windowshouldclose of protocol nswindowdelegate version build version product version version created originated open radar link
| 1
|
13,949
| 8,744,924,163
|
IssuesEvent
|
2018-12-13 00:11:45
|
OctopusDeploy/Issues
|
https://api.github.com/repos/OctopusDeploy/Issues
|
closed
|
Viewing project process throws error if user doesn't have LifecycleView
|
area/usability kind/bug tag/regression
|
# Prerequisites
- [x] I have verified the problem exists in the latest version
- [x] I have searched [open](https://github.com/OctopusDeploy/Issues/issues) and [closed](https://github.com/OctopusDeploy/Issues/issues?utf8=%E2%9C%93&q=is%3Aissue+is%3Aclosed) issues to make sure it isn't already reported
- [x] I have written a descriptive issue title
- [x] I have linked the original source of this report
- [x] I have tagged the issue appropriately (area/*, kind/bug, tag/regression?)
# The bug
A user without `LifecycleView` receives an exception if they try and view the process page.

This was introduced with the new functionality to hide large lifecycles - https://github.com/OctopusDeploy/OctopusDeploy/commit/0f6b1aca626010a7ad05127c06b5ed9397fc9681
## What I expected to happen
The page should be viewable with an info box mentioning missing permissions for the lifecycle.

## Steps to reproduce
1. Create a role/team/user without `LifecycleView` permission
2. Login as that user
3. try and view a project process
-> exception
## Affected versions
**Octopus Server:** `2018.9.2` until fixed
## Workarounds
Grant the user `LifecycleView` permission
## Links
source: https://github.com/OctopusDeploy/OctopusDeploy/issues/3232
|
True
|
Viewing project process throws error if user doesn't have LifecycleView - # Prerequisites
- [x] I have verified the problem exists in the latest version
- [x] I have searched [open](https://github.com/OctopusDeploy/Issues/issues) and [closed](https://github.com/OctopusDeploy/Issues/issues?utf8=%E2%9C%93&q=is%3Aissue+is%3Aclosed) issues to make sure it isn't already reported
- [x] I have written a descriptive issue title
- [x] I have linked the original source of this report
- [x] I have tagged the issue appropriately (area/*, kind/bug, tag/regression?)
# The bug
A user without `LifecycleView` receives an exception if they try and view the process page.

This was introduced with the new functionality to hide large lifecycles - https://github.com/OctopusDeploy/OctopusDeploy/commit/0f6b1aca626010a7ad05127c06b5ed9397fc9681
## What I expected to happen
The page should be viewable with an info box mentioning missing permissions for the lifecycle.

## Steps to reproduce
1. Create a role/team/user without `LifecycleView` permission
2. Login as that user
3. try and view a project process
-> exception
## Affected versions
**Octopus Server:** `2018.9.2` until fixed
## Workarounds
Grant the user `LifecycleView` permission
## Links
source: https://github.com/OctopusDeploy/OctopusDeploy/issues/3232
|
usab
|
viewing project process throws error if user doesn t have lifecycleview prerequisites i have verified the problem exists in the latest version i have searched and issues to make sure it isn t already reported i have written a descriptive issue title i have linked the original source of this report i have tagged the issue appropriately area kind bug tag regression the bug a user without lifecycleview receives an exception if they try and view the process page this was introduced with the new functionality to hide large lifecycles what i expected to happen the page should be viewable with an info box mentioning missing permissions for the lifecycle steps to reproduce create a role team user without lifecycleview permission login as that user try and view a project process exception affected versions octopus server until fixed workarounds grant the user lifecycleview permission links source
| 1
|
1,866
| 3,025,096,848
|
IssuesEvent
|
2015-08-03 05:05:32
|
lionheart/openradar-mirror
|
https://api.github.com/repos/lionheart/openradar-mirror
|
opened
|
21670792: File-specific indentions not respected for Objective-C/C++ files in the assistant editor
|
classification:ui/usability reproducible:always status:open
|
#### Description
Summary:
Additionally to the global indention settings (tabs vs. spaces) reachable via Xcode -> Preferences… -> Text Editing -> Indention, these settings can be configured for each file using the file inspector.
However if a file whose indention settings differ from the default is opened in the assistant editor and Re-Indent is run, the global indention settings are used
Steps to Reproduce:
1. Create an empty Xcode project with Objective-C or C++ as the language
2. Assuming you have Tabs set as your default, change the “indent using” setting to Spaces
3. Open this file in the assistant editor and choose Re-Indent
Expected Results:
The file should correctly be indented using spaces
Actual Results:
The file is indented using the Xcode default
Version:
Both Xcode 6.4 (6E35b) and Xcode 7.0 beta (7A120f)
Notes:
Configuration:
This does not apply for swift files
Attachments:
-
Product Version: Xcode 6.4 (6E35b) and Xcode 7.0 beta (7A120f)
Created: 2015-07-03T16:52:59.189040
Originated: 2015-07-03T18:52:00
Open Radar Link: http://www.openradar.me/21670792
|
True
|
21670792: File-specific indentions not respected for Objective-C/C++ files in the assistant editor - #### Description
Summary:
Additionally to the global indention settings (tabs vs. spaces) reachable via Xcode -> Preferences… -> Text Editing -> Indention, these settings can be configured for each file using the file inspector.
However if a file whose indention settings differ from the default is opened in the assistant editor and Re-Indent is run, the global indention settings are used
Steps to Reproduce:
1. Create an empty Xcode project with Objective-C or C++ as the language
2. Assuming you have Tabs set as your default, change the “indent using” setting to Spaces
3. Open this file in the assistant editor and choose Re-Indent
Expected Results:
The file should correctly be indented using spaces
Actual Results:
The file is indented using the Xcode default
Version:
Both Xcode 6.4 (6E35b) and Xcode 7.0 beta (7A120f)
Notes:
Configuration:
This does not apply for swift files
Attachments:
-
Product Version: Xcode 6.4 (6E35b) and Xcode 7.0 beta (7A120f)
Created: 2015-07-03T16:52:59.189040
Originated: 2015-07-03T18:52:00
Open Radar Link: http://www.openradar.me/21670792
|
usab
|
file specific indentions not respected for objective c c files in the assistant editor description summary additionally to the global indention settings tabs vs spaces reachable via xcode preferences… text editing indention these settings can be configured for each file using the file inspector however if a file whose indention settings differ from the default is opened in the assistant editor and re indent is run the global indention settings are used steps to reproduce create an empty xcode project with objective c or c as the language assuming you have tabs set as your default change the “indent using” setting to spaces open this file in the assistant editor and choose re indent expected results the file should correctly be indented using spaces actual results the file is indented using the xcode default version both xcode and xcode beta notes configuration this does not apply for swift files attachments product version xcode and xcode beta created originated open radar link
| 1
|
120,773
| 4,793,908,966
|
IssuesEvent
|
2016-10-31 19:30:49
|
kubernetes/kubernetes
|
https://api.github.com/repos/kubernetes/kubernetes
|
closed
|
[k8s.io] PetSet [Slow] [Feature:PetSet] [k8s.io] Deploy clustered applications [Slow] [Feature:PetSet] should creating a working mysql cluster [Feature:PetSet] {Kubernetes e2e suite}
|
kind/flake priority/P2
|
https://k8s-gubernator.appspot.com/build/kubernetes-jenkins/logs/kubernetes-e2e-gci-gce-alpha-features-release-1.4/919/
Failed: [k8s.io] PetSet [Slow] [Feature:PetSet] [k8s.io] Deploy clustered applications [Slow] [Feature:PetSet] should creating a working mysql cluster [Feature:PetSet] {Kubernetes e2e suite}
```
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/petset.go:244
Oct 25 22:14:46.373: Read unexpected value , expected bar under key foo
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/petset.go:242
```
Previous issues for this test: #33895
|
1.0
|
[k8s.io] PetSet [Slow] [Feature:PetSet] [k8s.io] Deploy clustered applications [Slow] [Feature:PetSet] should creating a working mysql cluster [Feature:PetSet] {Kubernetes e2e suite} - https://k8s-gubernator.appspot.com/build/kubernetes-jenkins/logs/kubernetes-e2e-gci-gce-alpha-features-release-1.4/919/
Failed: [k8s.io] PetSet [Slow] [Feature:PetSet] [k8s.io] Deploy clustered applications [Slow] [Feature:PetSet] should creating a working mysql cluster [Feature:PetSet] {Kubernetes e2e suite}
```
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/petset.go:244
Oct 25 22:14:46.373: Read unexpected value , expected bar under key foo
/go/src/k8s.io/kubernetes/_output/dockerized/go/src/k8s.io/kubernetes/test/e2e/petset.go:242
```
Previous issues for this test: #33895
|
non_usab
|
petset deploy clustered applications should creating a working mysql cluster kubernetes suite failed petset deploy clustered applications should creating a working mysql cluster kubernetes suite go src io kubernetes output dockerized go src io kubernetes test petset go oct read unexpected value expected bar under key foo go src io kubernetes output dockerized go src io kubernetes test petset go previous issues for this test
| 0
|
43,257
| 23,166,781,894
|
IssuesEvent
|
2022-07-30 04:15:48
|
conda/conda
|
https://api.github.com/repos/conda/conda
|
closed
|
Cannot Install RStudio within GUI Navigator nor with Powershell Prompt
|
solver source::community solver::performance stale stale::closed
|
## Current Behavior
On a fresh install on a brand new PC, Installed Anaconda 2020.02 v1.19.12 64bit edition
Within the navigator, I cannot install RStudio, as it is constantly loading with the bottom pane showing: Installing application rstudio on _Filepath_
The loading indicator never completes and is shown indefinitely
no logs appear under the Help menu.
### Steps to Reproduce
I then tried through Conda Prompt
`conda install -c r rstudio`
which never resolved, showing the following errors:
```
Collecting package metadata (current_repodata.json): done
Solving environment: failed with initial frozen solve. Retrying with flexible solve.
Solving environment: failed with repodata from current_repodata.json, will retry with next repodata source.
Collecting package metadata (repodata.json): done
Solving environment: failed with initial frozen solve. Retrying with flexible solve.
Solving environment: -
Found conflicts! Looking for incompatible packages.
```
then tried installing it via a different environment:
`conda create --name rstudio_env -c r rstudio`
Then tried
conda create --name rstudio_env -c r rstudio
Which failed to resolve providing the following
```
conda create --name rstudio_env -c r rstudio
Collecting package metadata (current_repodata.json): done
Solving environment: failed with repodata from current_repodata.json, will retry with next repodata source.
Collecting package metadata (repodata.json): done
Solving environment: /
```
The environment hasn't been resolve after an hour
I have gone into a Windows firewall settings (which has worked for pip installs) to enable pythonw.exe and anaconda_navigatorscript.py in the acceptable app list.
## Expected Behavior
<!-- What do you think should happen? -->
RStudio installs within Navigator or through Anaconda Prompt.
|
True
|
Cannot Install RStudio within GUI Navigator nor with Powershell Prompt - ## Current Behavior
On a fresh install on a brand new PC, Installed Anaconda 2020.02 v1.19.12 64bit edition
Within the navigator, I cannot install RStudio, as it is constantly loading with the bottom pane showing: Installing application rstudio on _Filepath_
The loading indicator never completes and is shown indefinitely
no logs appear under the Help menu.
### Steps to Reproduce
I then tried through Conda Prompt
`conda install -c r rstudio`
which never resolved, showing the following errors:
```
Collecting package metadata (current_repodata.json): done
Solving environment: failed with initial frozen solve. Retrying with flexible solve.
Solving environment: failed with repodata from current_repodata.json, will retry with next repodata source.
Collecting package metadata (repodata.json): done
Solving environment: failed with initial frozen solve. Retrying with flexible solve.
Solving environment: -
Found conflicts! Looking for incompatible packages.
```
then tried installing it via a different environment:
`conda create --name rstudio_env -c r rstudio`
Then tried
conda create --name rstudio_env -c r rstudio
Which failed to resolve providing the following
```
conda create --name rstudio_env -c r rstudio
Collecting package metadata (current_repodata.json): done
Solving environment: failed with repodata from current_repodata.json, will retry with next repodata source.
Collecting package metadata (repodata.json): done
Solving environment: /
```
The environment hasn't been resolve after an hour
I have gone into a Windows firewall settings (which has worked for pip installs) to enable pythonw.exe and anaconda_navigatorscript.py in the acceptable app list.
## Expected Behavior
<!-- What do you think should happen? -->
RStudio installs within Navigator or through Anaconda Prompt.
|
non_usab
|
cannot install rstudio within gui navigator nor with powershell prompt current behavior on a fresh install on a brand new pc installed anaconda edition within the navigator i cannot install rstudio as it is constantly loading with the bottom pane showing installing application rstudio on filepath the loading indicator never completes and is shown indefinitely no logs appear under the help menu steps to reproduce i then tried through conda prompt conda install c r rstudio which never resolved showing the following errors collecting package metadata current repodata json done solving environment failed with initial frozen solve retrying with flexible solve solving environment failed with repodata from current repodata json will retry with next repodata source collecting package metadata repodata json done solving environment failed with initial frozen solve retrying with flexible solve solving environment found conflicts looking for incompatible packages then tried installing it via a different environment conda create name rstudio env c r rstudio then tried conda create name rstudio env c r rstudio which failed to resolve providing the following conda create name rstudio env c r rstudio collecting package metadata current repodata json done solving environment failed with repodata from current repodata json will retry with next repodata source collecting package metadata repodata json done solving environment the environment hasn t been resolve after an hour i have gone into a windows firewall settings which has worked for pip installs to enable pythonw exe and anaconda navigatorscript py in the acceptable app list expected behavior rstudio installs within navigator or through anaconda prompt
| 0
|
210,024
| 23,731,034,119
|
IssuesEvent
|
2022-08-31 01:44:26
|
Baneeishaque/educature-education
|
https://api.github.com/repos/Baneeishaque/educature-education
|
closed
|
CVE-2019-8331 (Medium) detected in bootstrap-4.1.3.min.js - autoclosed
|
security vulnerability
|
## CVE-2019-8331 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>bootstrap-4.1.3.min.js</b></p></summary>
<p>The most popular front-end framework for developing responsive, mobile first projects on the web.</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/4.1.3/js/bootstrap.min.js">https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/4.1.3/js/bootstrap.min.js</a></p>
<p>Path to vulnerable library: /educature-education/js/vendor/bootstrap.min.js,/educature-education/js/vendor/bootstrap.min.js</p>
<p>
Dependency Hierarchy:
- :x: **bootstrap-4.1.3.min.js** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/Baneeishaque/educature-education/commit/fb910a573322109f6149cb994a649ec421e47511">fb910a573322109f6149cb994a649ec421e47511</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
In Bootstrap before 3.4.1 and 4.3.x before 4.3.1, XSS is possible in the tooltip or popover data-template attribute.
<p>Publish Date: 2019-02-20
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-8331>CVE-2019-8331</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Changed
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: Low
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/twbs/bootstrap/pull/28236">https://github.com/twbs/bootstrap/pull/28236</a></p>
<p>Release Date: 2019-02-20</p>
<p>Fix Resolution: bootstrap - 3.4.1,4.3.1;bootstrap-sass - 3.4.1,4.3.1</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
True
|
CVE-2019-8331 (Medium) detected in bootstrap-4.1.3.min.js - autoclosed - ## CVE-2019-8331 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>bootstrap-4.1.3.min.js</b></p></summary>
<p>The most popular front-end framework for developing responsive, mobile first projects on the web.</p>
<p>Library home page: <a href="https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/4.1.3/js/bootstrap.min.js">https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/4.1.3/js/bootstrap.min.js</a></p>
<p>Path to vulnerable library: /educature-education/js/vendor/bootstrap.min.js,/educature-education/js/vendor/bootstrap.min.js</p>
<p>
Dependency Hierarchy:
- :x: **bootstrap-4.1.3.min.js** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/Baneeishaque/educature-education/commit/fb910a573322109f6149cb994a649ec421e47511">fb910a573322109f6149cb994a649ec421e47511</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
In Bootstrap before 3.4.1 and 4.3.x before 4.3.1, XSS is possible in the tooltip or popover data-template attribute.
<p>Publish Date: 2019-02-20
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2019-8331>CVE-2019-8331</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Changed
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: Low
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/twbs/bootstrap/pull/28236">https://github.com/twbs/bootstrap/pull/28236</a></p>
<p>Release Date: 2019-02-20</p>
<p>Fix Resolution: bootstrap - 3.4.1,4.3.1;bootstrap-sass - 3.4.1,4.3.1</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
non_usab
|
cve medium detected in bootstrap min js autoclosed cve medium severity vulnerability vulnerable library bootstrap min js the most popular front end framework for developing responsive mobile first projects on the web library home page a href path to vulnerable library educature education js vendor bootstrap min js educature education js vendor bootstrap min js dependency hierarchy x bootstrap min js vulnerable library found in head commit a href vulnerability details in bootstrap before and x before xss is possible in the tooltip or popover data template attribute publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction required scope changed impact metrics confidentiality impact low integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution bootstrap bootstrap sass step up your open source security game with whitesource
| 0
|
299,138
| 22,591,459,874
|
IssuesEvent
|
2022-06-28 20:20:31
|
iree-org/iree
|
https://api.github.com/repos/iree-org/iree
|
closed
|
Inconsistent documentation for how to generate python packages
|
bug 🐞 documentation help wanted
|
https://google.github.io/iree/building-from-source/python-bindings-and-importers/
https://github.com/google/iree/blob/main/docs/developers/get_started/getting_started_python.md
https://github.com/google/iree/tree/main/bindings/python
Each of the above offers ultimately different instructions on how to build and use the python bindings. The only one that is functionally correct is the first, assuming you need the iree.compiler bindings. I was able to generate a pip package/wheel/PYTHONPATH location with the other instructions, but not compiler.
Happy to fix this myself but figured it may warrant a broader discussion on how to enable doc consistency, since maintaining three sets of instructions on how to build the python packages seems like a way to guarantee this happens again
<3
|
1.0
|
Inconsistent documentation for how to generate python packages - https://google.github.io/iree/building-from-source/python-bindings-and-importers/
https://github.com/google/iree/blob/main/docs/developers/get_started/getting_started_python.md
https://github.com/google/iree/tree/main/bindings/python
Each of the above offers ultimately different instructions on how to build and use the python bindings. The only one that is functionally correct is the first, assuming you need the iree.compiler bindings. I was able to generate a pip package/wheel/PYTHONPATH location with the other instructions, but not compiler.
Happy to fix this myself but figured it may warrant a broader discussion on how to enable doc consistency, since maintaining three sets of instructions on how to build the python packages seems like a way to guarantee this happens again
<3
|
non_usab
|
inconsistent documentation for how to generate python packages each of the above offers ultimately different instructions on how to build and use the python bindings the only one that is functionally correct is the first assuming you need the iree compiler bindings i was able to generate a pip package wheel pythonpath location with the other instructions but not compiler happy to fix this myself but figured it may warrant a broader discussion on how to enable doc consistency since maintaining three sets of instructions on how to build the python packages seems like a way to guarantee this happens again
| 0
|
8,274
| 5,544,427,212
|
IssuesEvent
|
2017-03-22 19:06:46
|
LLNL/RAJA
|
https://api.github.com/repos/LLNL/RAJA
|
opened
|
Establish file naming convention for files.
|
API/usability task
|
We have a mixture of upper/lower case, underscores, use of "raja", etc. Let's follow a common naming scheme. This should be captured in the coding guidelines.
|
True
|
Establish file naming convention for files. - We have a mixture of upper/lower case, underscores, use of "raja", etc. Let's follow a common naming scheme. This should be captured in the coding guidelines.
|
usab
|
establish file naming convention for files we have a mixture of upper lower case underscores use of raja etc let s follow a common naming scheme this should be captured in the coding guidelines
| 1
|
27,004
| 27,527,088,667
|
IssuesEvent
|
2023-03-06 18:55:25
|
tailscale/tailscale
|
https://api.github.com/repos/tailscale/tailscale
|
closed
|
Tailscale 1.36.0 (Mac App Store) on Ventura will not log in .
|
OS-macos L1 Very few P3 Can't get started T5 Usability bug
|
### What is the issue?
I just upgraded to Tailscale 1.36.0 via the App Store on Ventura, and now it will not log in .
```
$ ~ /Applications/Tailscale.app/Contents/MacOS/Tailscale debug ts2021 --verbose
23:10:20.062413 HTTP proxy env: (none)
23:10:20.062679 tshttpproxy.ProxyFromEnvironment = (<nil>, <nil>)
23:10:20.062696 Fetching keys from https://controlplane.tailscale.com/key?v=56 ...
23:10:20.179700 got public key: mkey:7d2792f9c98d753d2042471536801949104c247f95eac770f8fb321595e2173b
23:10:20.181090 Dial("tcp", "[2a05:d014:386:203:4535:c15c:9ab:8258]:80") ...
23:10:20.201375 Dial("tcp", "[2a05:d014:386:203:4535:c15c:9ab:8258]:80") = [2606:4700:110:82ef:7a13:8811:7c82:efaf]:60894 / [2a05:d014:386:203:4535:c15c:9ab:8258]:80
23:10:20.242376 controlhttp.Dial = 0xc000298030, <nil>
23:10:20.242389 did noise handshake
23:10:20.242395 final underlying conn: [2606:4700:110:82ef:7a13:8811:7c82:efaf]:60894 / [2a05:d014:386:203:4535:c15c:9ab:8258]:80
```
### Steps to reproduce
Upgrade to Mac OS Ventura, Upgrade to Tailscale 1.36.0
1.34.2 was working earlier today, after the update to 1.36.0 it failed to connect.
### Are there any recent changes that introduced the issue?
Upgrading to Tailscale 1.36.0 was the only change I made.
### OS
macOS
### OS version
Ventura 13.2 (22D49
### Tailscale version
1.36.0 (AppStore)
### Bug report
BUG-8b5da49ef7daf0fe0fabcf988be5b959bdb1d05150de73a7d97b165d6fb7ecdf-20230131215638Z-4fd9640562908276
|
True
|
Tailscale 1.36.0 (Mac App Store) on Ventura will not log in . - ### What is the issue?
I just upgraded to Tailscale 1.36.0 via the App Store on Ventura, and now it will not log in .
```
$ ~ /Applications/Tailscale.app/Contents/MacOS/Tailscale debug ts2021 --verbose
23:10:20.062413 HTTP proxy env: (none)
23:10:20.062679 tshttpproxy.ProxyFromEnvironment = (<nil>, <nil>)
23:10:20.062696 Fetching keys from https://controlplane.tailscale.com/key?v=56 ...
23:10:20.179700 got public key: mkey:7d2792f9c98d753d2042471536801949104c247f95eac770f8fb321595e2173b
23:10:20.181090 Dial("tcp", "[2a05:d014:386:203:4535:c15c:9ab:8258]:80") ...
23:10:20.201375 Dial("tcp", "[2a05:d014:386:203:4535:c15c:9ab:8258]:80") = [2606:4700:110:82ef:7a13:8811:7c82:efaf]:60894 / [2a05:d014:386:203:4535:c15c:9ab:8258]:80
23:10:20.242376 controlhttp.Dial = 0xc000298030, <nil>
23:10:20.242389 did noise handshake
23:10:20.242395 final underlying conn: [2606:4700:110:82ef:7a13:8811:7c82:efaf]:60894 / [2a05:d014:386:203:4535:c15c:9ab:8258]:80
```
### Steps to reproduce
Upgrade to Mac OS Ventura, Upgrade to Tailscale 1.36.0
1.34.2 was working earlier today, after the update to 1.36.0 it failed to connect.
### Are there any recent changes that introduced the issue?
Upgrading to Tailscale 1.36.0 was the only change I made.
### OS
macOS
### OS version
Ventura 13.2 (22D49
### Tailscale version
1.36.0 (AppStore)
### Bug report
BUG-8b5da49ef7daf0fe0fabcf988be5b959bdb1d05150de73a7d97b165d6fb7ecdf-20230131215638Z-4fd9640562908276
|
usab
|
tailscale mac app store on ventura will not log in what is the issue i just upgraded to tailscale via the app store on ventura and now it will not log in applications tailscale app contents macos tailscale debug verbose http proxy env none tshttpproxy proxyfromenvironment fetching keys from got public key mkey dial tcp dial tcp controlhttp dial did noise handshake final underlying conn steps to reproduce upgrade to mac os ventura upgrade to tailscale was working earlier today after the update to it failed to connect are there any recent changes that introduced the issue upgrading to tailscale was the only change i made os macos os version ventura tailscale version appstore bug report bug
| 1
|
24,136
| 23,383,286,064
|
IssuesEvent
|
2022-08-11 11:34:29
|
godotengine/godot
|
https://api.github.com/repos/godotengine/godot
|
opened
|
Import dock randomly causes sidebar size jumps
|
bug topic:editor usability regression
|
### Godot version
e9e9e92
### System information
Windows 10 x64
### Issue description
Seems like minimum size of the import dock varies greatly and it can abruptly change sidebar's width. It always happens when switching to Import tab, but also randomly on it's own.

Might be caused #59303
But the random jumps and minsize weirdness looks similar to #43749
### Steps to reproduce
1. Select different files in the filesystem dock (scene, texture, sample etc)
2. The left dock will randomly change size
3. If not, switch to Import tab and observe size jump
### Minimal reproduction project
_No response_
|
True
|
Import dock randomly causes sidebar size jumps - ### Godot version
e9e9e92
### System information
Windows 10 x64
### Issue description
Seems like minimum size of the import dock varies greatly and it can abruptly change sidebar's width. It always happens when switching to Import tab, but also randomly on it's own.

Might be caused #59303
But the random jumps and minsize weirdness looks similar to #43749
### Steps to reproduce
1. Select different files in the filesystem dock (scene, texture, sample etc)
2. The left dock will randomly change size
3. If not, switch to Import tab and observe size jump
### Minimal reproduction project
_No response_
|
usab
|
import dock randomly causes sidebar size jumps godot version system information windows issue description seems like minimum size of the import dock varies greatly and it can abruptly change sidebar s width it always happens when switching to import tab but also randomly on it s own might be caused but the random jumps and minsize weirdness looks similar to steps to reproduce select different files in the filesystem dock scene texture sample etc the left dock will randomly change size if not switch to import tab and observe size jump minimal reproduction project no response
| 1
|
27,661
| 30,051,235,959
|
IssuesEvent
|
2023-06-28 00:45:43
|
LemmaLegalConsulting/docassemble-MOHUDEvictionProject
|
https://api.github.com/repos/LemmaLegalConsulting/docassemble-MOHUDEvictionProject
|
closed
|
`id: caption - docket number and file date` Issues
|
Usability/UX
|
1. Remove `none of the above`
2. Write out what "AC" means
`required: False` makes it look like this question is not required (no red asterisk) but then if unanswered gets validation error to select "None of the above"

https://github.com/nonprofittechy/docassemble-MOHUDEvictionProject/blob/7b0a52ed846fb0abebac7b600ca755705f422ec7/docassemble/MOHUDEvictionProject/data/questions/court_information.yml#L65
|
True
|
`id: caption - docket number and file date` Issues - 1. Remove `none of the above`
2. Write out what "AC" means
`required: False` makes it look like this question is not required (no red asterisk) but then if unanswered gets validation error to select "None of the above"

https://github.com/nonprofittechy/docassemble-MOHUDEvictionProject/blob/7b0a52ed846fb0abebac7b600ca755705f422ec7/docassemble/MOHUDEvictionProject/data/questions/court_information.yml#L65
|
usab
|
id caption docket number and file date issues remove none of the above write out what ac means required false makes it look like this question is not required no red asterisk but then if unanswered gets validation error to select none of the above
| 1
|
18,572
| 13,044,462,296
|
IssuesEvent
|
2020-07-29 04:46:33
|
dueapp/Due-macOS
|
https://api.github.com/repos/dueapp/Due-macOS
|
closed
|
Support right-clicking on menu bar icon to open menu
|
usability
|
It seems like that's one of the ways users are trying to get to Preferences again. So this, in addition to #7 should help
|
True
|
Support right-clicking on menu bar icon to open menu - It seems like that's one of the ways users are trying to get to Preferences again. So this, in addition to #7 should help
|
usab
|
support right clicking on menu bar icon to open menu it seems like that s one of the ways users are trying to get to preferences again so this in addition to should help
| 1
|
12,405
| 7,855,057,604
|
IssuesEvent
|
2018-06-20 23:22:28
|
18F/fs-middlelayer-api
|
https://api.github.com/repos/18F/fs-middlelayer-api
|
closed
|
Add Application ID Field
|
research-finding usability-high
|
For noncommericial group use and temp outfitter and guide permits:
- [X] The Intake module should be able to post an application ID field (string or numeric tbd)
- [x] That will be stored as a field in the middlelayer database
- [x] Included in both of the permit types' Purpose field in requests to the basic API.
Task:
- [x] update post for SU noncomm/ tempOut to include id, when "accept to suds"
- [x] update middlelayer model to include intake-application-id
- [x] update purpose field in bot noncomm/ tempOut to include id in validation schema.
- [x] add test!
|
True
|
Add Application ID Field - For noncommericial group use and temp outfitter and guide permits:
- [X] The Intake module should be able to post an application ID field (string or numeric tbd)
- [x] That will be stored as a field in the middlelayer database
- [x] Included in both of the permit types' Purpose field in requests to the basic API.
Task:
- [x] update post for SU noncomm/ tempOut to include id, when "accept to suds"
- [x] update middlelayer model to include intake-application-id
- [x] update purpose field in bot noncomm/ tempOut to include id in validation schema.
- [x] add test!
|
usab
|
add application id field for noncommericial group use and temp outfitter and guide permits the intake module should be able to post an application id field string or numeric tbd that will be stored as a field in the middlelayer database included in both of the permit types purpose field in requests to the basic api task update post for su noncomm tempout to include id when accept to suds update middlelayer model to include intake application id update purpose field in bot noncomm tempout to include id in validation schema add test
| 1
|
2,085
| 3,040,837,829
|
IssuesEvent
|
2015-08-07 17:40:36
|
tgstation/-tg-station
|
https://api.github.com/repos/tgstation/-tg-station
|
closed
|
Object verbs need to have hotkey alternatives
|
Feature Request Not a bug Usability
|
this is a feature request I guess? seems like the best way to grab the attention of a heroic contributor willing to turn every object verb into a hotkey
I'm thinking ctrl-click could work, as long as the item is in your hand/inventory. Alt-click could be useful as well, for items with multiple verbs
pls
|
True
|
Object verbs need to have hotkey alternatives - this is a feature request I guess? seems like the best way to grab the attention of a heroic contributor willing to turn every object verb into a hotkey
I'm thinking ctrl-click could work, as long as the item is in your hand/inventory. Alt-click could be useful as well, for items with multiple verbs
pls
|
usab
|
object verbs need to have hotkey alternatives this is a feature request i guess seems like the best way to grab the attention of a heroic contributor willing to turn every object verb into a hotkey i m thinking ctrl click could work as long as the item is in your hand inventory alt click could be useful as well for items with multiple verbs pls
| 1
|
306,386
| 26,464,115,817
|
IssuesEvent
|
2023-01-16 21:03:10
|
apache/camel-quarkus
|
https://api.github.com/repos/apache/camel-quarkus
|
closed
|
Increase telegram test coverage
|
test
|
Add test coverage for these functionalities:
- Webhook mode
- Customizing keyboard
|
1.0
|
Increase telegram test coverage - Add test coverage for these functionalities:
- Webhook mode
- Customizing keyboard
|
non_usab
|
increase telegram test coverage add test coverage for these functionalities webhook mode customizing keyboard
| 0
|
5,645
| 3,970,779,210
|
IssuesEvent
|
2016-05-04 08:58:09
|
kolliSuman/issues
|
https://api.github.com/repos/kolliSuman/issues
|
closed
|
QA_Aerodynamic forces and moments on a generic aircraft model_Back to experiments_smk
|
Category: Usability Developed By: VLEAD Release Number: Production Severity: S2 Status: Open
|
Defect Description :
In the "Aerodynamic forces and moments on a generic aircraft model" experiment,the back to experiments link is not present in the page instead the back to experiments link should be displayed on the screen in-order to view the list of experiments by the user
Actual Result :
In the "Aerodynamic forces and moments on a generic aircraft model" experiment,the back to experiments link is not present in the page
Environment Required :
OS: Windows 7, Ubuntu-16.04,Centos-6
Browsers: Firefox-42.0,Chrome-47.0,chromium-45.0
Bandwidth : 100Mbps
Hardware Configuration:8GBRAM ,
Processor:i5
Test Step Link:
https://github.com/Virtual-Labs/virtual-lab-aerospace-engg-iitk/blob/master/test-cases/integration_test-cases/Aerodynamic%20forces%20and%20moments%20on%20a%20generic%20aircraft%20model/Aerodynamic%20forces%20and%20moments%20on%20a%20generic%20aircraft%20model_13_Back%20to%20experiments_smk.org
|
True
|
QA_Aerodynamic forces and moments on a generic aircraft model_Back to experiments_smk - Defect Description :
In the "Aerodynamic forces and moments on a generic aircraft model" experiment,the back to experiments link is not present in the page instead the back to experiments link should be displayed on the screen in-order to view the list of experiments by the user
Actual Result :
In the "Aerodynamic forces and moments on a generic aircraft model" experiment,the back to experiments link is not present in the page
Environment Required :
OS: Windows 7, Ubuntu-16.04,Centos-6
Browsers: Firefox-42.0,Chrome-47.0,chromium-45.0
Bandwidth : 100Mbps
Hardware Configuration:8GBRAM ,
Processor:i5
Test Step Link:
https://github.com/Virtual-Labs/virtual-lab-aerospace-engg-iitk/blob/master/test-cases/integration_test-cases/Aerodynamic%20forces%20and%20moments%20on%20a%20generic%20aircraft%20model/Aerodynamic%20forces%20and%20moments%20on%20a%20generic%20aircraft%20model_13_Back%20to%20experiments_smk.org
|
usab
|
qa aerodynamic forces and moments on a generic aircraft model back to experiments smk defect description in the aerodynamic forces and moments on a generic aircraft model experiment the back to experiments link is not present in the page instead the back to experiments link should be displayed on the screen in order to view the list of experiments by the user actual result in the aerodynamic forces and moments on a generic aircraft model experiment the back to experiments link is not present in the page environment required os windows ubuntu centos browsers firefox chrome chromium bandwidth hardware configuration processor test step link
| 1
|
154,751
| 19,758,348,713
|
IssuesEvent
|
2022-01-16 01:18:40
|
lemurchop/pancake-frontend
|
https://api.github.com/repos/lemurchop/pancake-frontend
|
opened
|
CVE-2022-0155 (High) detected in follow-redirects-1.14.3.tgz, follow-redirects-1.14.1.tgz
|
security vulnerability
|
## CVE-2022-0155 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>follow-redirects-1.14.3.tgz</b>, <b>follow-redirects-1.14.1.tgz</b></p></summary>
<p>
<details><summary><b>follow-redirects-1.14.3.tgz</b></p></summary>
<p>HTTP and HTTPS modules that follow redirects.</p>
<p>Library home page: <a href="https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.14.3.tgz">https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.14.3.tgz</a></p>
<p>Path to dependency file: /package.json</p>
<p>Path to vulnerable library: /node_modules/axios/node_modules/follow-redirects/package.json</p>
<p>
Dependency Hierarchy:
- start-server-and-test-1.14.0.tgz (Root Library)
- wait-on-6.0.0.tgz
- axios-0.21.3.tgz
- :x: **follow-redirects-1.14.3.tgz** (Vulnerable Library)
</details>
<details><summary><b>follow-redirects-1.14.1.tgz</b></p></summary>
<p>HTTP and HTTPS modules that follow redirects.</p>
<p>Library home page: <a href="https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.14.1.tgz">https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.14.1.tgz</a></p>
<p>Path to dependency file: /package.json</p>
<p>Path to vulnerable library: /node_modules/follow-redirects/package.json</p>
<p>
Dependency Hierarchy:
- react-scripts-4.0.3.tgz (Root Library)
- webpack-dev-server-3.11.1.tgz
- http-proxy-middleware-0.19.1.tgz
- http-proxy-1.18.1.tgz
- :x: **follow-redirects-1.14.1.tgz** (Vulnerable Library)
</details>
<p>Found in base branch: <b>develop</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
follow-redirects is vulnerable to Exposure of Private Personal Information to an Unauthorized Actor
<p>Publish Date: 2022-01-10
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-0155>CVE-2022-0155</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>8.0</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: Low
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: High
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://huntr.dev/bounties/fc524e4b-ebb6-427d-ab67-a64181020406/">https://huntr.dev/bounties/fc524e4b-ebb6-427d-ab67-a64181020406/</a></p>
<p>Release Date: 2022-01-10</p>
<p>Fix Resolution: follow-redirects - v1.14.7</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
True
|
CVE-2022-0155 (High) detected in follow-redirects-1.14.3.tgz, follow-redirects-1.14.1.tgz - ## CVE-2022-0155 - High Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Libraries - <b>follow-redirects-1.14.3.tgz</b>, <b>follow-redirects-1.14.1.tgz</b></p></summary>
<p>
<details><summary><b>follow-redirects-1.14.3.tgz</b></p></summary>
<p>HTTP and HTTPS modules that follow redirects.</p>
<p>Library home page: <a href="https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.14.3.tgz">https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.14.3.tgz</a></p>
<p>Path to dependency file: /package.json</p>
<p>Path to vulnerable library: /node_modules/axios/node_modules/follow-redirects/package.json</p>
<p>
Dependency Hierarchy:
- start-server-and-test-1.14.0.tgz (Root Library)
- wait-on-6.0.0.tgz
- axios-0.21.3.tgz
- :x: **follow-redirects-1.14.3.tgz** (Vulnerable Library)
</details>
<details><summary><b>follow-redirects-1.14.1.tgz</b></p></summary>
<p>HTTP and HTTPS modules that follow redirects.</p>
<p>Library home page: <a href="https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.14.1.tgz">https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.14.1.tgz</a></p>
<p>Path to dependency file: /package.json</p>
<p>Path to vulnerable library: /node_modules/follow-redirects/package.json</p>
<p>
Dependency Hierarchy:
- react-scripts-4.0.3.tgz (Root Library)
- webpack-dev-server-3.11.1.tgz
- http-proxy-middleware-0.19.1.tgz
- http-proxy-1.18.1.tgz
- :x: **follow-redirects-1.14.1.tgz** (Vulnerable Library)
</details>
<p>Found in base branch: <b>develop</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/high_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
follow-redirects is vulnerable to Exposure of Private Personal Information to an Unauthorized Actor
<p>Publish Date: 2022-01-10
<p>URL: <a href=https://vuln.whitesourcesoftware.com/vulnerability/CVE-2022-0155>CVE-2022-0155</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>8.0</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: Low
- User Interaction: Required
- Scope: Unchanged
- Impact Metrics:
- Confidentiality Impact: High
- Integrity Impact: High
- Availability Impact: High
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://huntr.dev/bounties/fc524e4b-ebb6-427d-ab67-a64181020406/">https://huntr.dev/bounties/fc524e4b-ebb6-427d-ab67-a64181020406/</a></p>
<p>Release Date: 2022-01-10</p>
<p>Fix Resolution: follow-redirects - v1.14.7</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with WhiteSource [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
non_usab
|
cve high detected in follow redirects tgz follow redirects tgz cve high severity vulnerability vulnerable libraries follow redirects tgz follow redirects tgz follow redirects tgz http and https modules that follow redirects library home page a href path to dependency file package json path to vulnerable library node modules axios node modules follow redirects package json dependency hierarchy start server and test tgz root library wait on tgz axios tgz x follow redirects tgz vulnerable library follow redirects tgz http and https modules that follow redirects library home page a href path to dependency file package json path to vulnerable library node modules follow redirects package json dependency hierarchy react scripts tgz root library webpack dev server tgz http proxy middleware tgz http proxy tgz x follow redirects tgz vulnerable library found in base branch develop vulnerability details follow redirects is vulnerable to exposure of private personal information to an unauthorized actor publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required low user interaction required scope unchanged impact metrics confidentiality impact high integrity impact high availability impact high for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution follow redirects step up your open source security game with whitesource
| 0
|
34,210
| 16,479,159,024
|
IssuesEvent
|
2021-05-24 09:21:26
|
mapequation/infomap
|
https://api.github.com/repos/mapequation/infomap
|
closed
|
inner-parallelization option doesn't work
|
docs performance
|
I use the inner-parallelization option in local mode(linux), it doesn't work, please help~
```
im = Infomap('--two-level --markov-time 0.5 -FFF --inner-parallelization')
im.run()
partition = dict(im.get_modules(depth_level=-1))
```
when I add "--inner-parallelization", it gets even slower.
|
True
|
inner-parallelization option doesn't work - I use the inner-parallelization option in local mode(linux), it doesn't work, please help~
```
im = Infomap('--two-level --markov-time 0.5 -FFF --inner-parallelization')
im.run()
partition = dict(im.get_modules(depth_level=-1))
```
when I add "--inner-parallelization", it gets even slower.
|
non_usab
|
inner parallelization option doesn t work i use the inner parallelization option in local mode linux it doesn t work please help im infomap two level markov time fff inner parallelization im run partition dict im get modules depth level when i add inner parallelization it gets even slower
| 0
|
23,235
| 21,485,638,455
|
IssuesEvent
|
2022-04-26 22:56:08
|
bevyengine/bevy
|
https://api.github.com/repos/bevyengine/bevy
|
closed
|
Bevy_utils should not force tracing's release_max_level_info crate feature
|
C-Bug C-Usability A-Utils
|
## Bevy version
[0.6.1](https://github.com/bevyengine/bevy/blob/v0.6.1/crates/bevy_utils/Cargo.toml#L14) and [current main](https://github.com/bevyengine/bevy/blob/786654307d4142cfd19fd385b004f75420e024aa/crates/bevy_utils/Cargo.toml#L14)
## Operating system & version
Applicable to all
## What you did
Include a direct/transitive dependency on `bevy_utils`, which is a dependency of most `bevy_*` internal crates, some of which are a literal or de facto required dependency of the top-level `bevy` crate.
## What you expected to happen
I should be able to include my preferred level of compile-time verbosity features on the `tracing` crate, including something more verbose than `release_max_level_info` or no limit at all.
## What actually happened
I am forced to use the `release_max_info` crate feature on `tracing` which sets a limit on how much verbosity I can produce in release binaries, as tracing calls and attribute macros that are lower verbosity (`debug` or `trace` in this example) are fully compiled away prior to runtime.
## Additional information
As a workaround, I would need to either fork-and-patch `bevy_utils`, or produce a Cargo profile that mimics release profile but will not receive the effects of this `tracing` crate flag, which currently [requires re-enabling `debug_assertions`](https://github.com/tokio-rs/tracing/blob/5f806286bdef217fefa0e6c3f47a6267f0855e2b/tracing/src/level_filters.rs#L68). If the linked line could be converted to an on-by-default crate feature of `bevy_utils` that was not also rigidly enforced anywhere else in the bevy crate tree, I think I could continue to use upstream code but get the verbosity I situationally desire.
Obviously this is not a common scenario and the performance overhead of each verbosity level is observable, but I think encouraging via documentation and defaults would be preferable to choosing inflexibly for your downstream users.
|
True
|
Bevy_utils should not force tracing's release_max_level_info crate feature - ## Bevy version
[0.6.1](https://github.com/bevyengine/bevy/blob/v0.6.1/crates/bevy_utils/Cargo.toml#L14) and [current main](https://github.com/bevyengine/bevy/blob/786654307d4142cfd19fd385b004f75420e024aa/crates/bevy_utils/Cargo.toml#L14)
## Operating system & version
Applicable to all
## What you did
Include a direct/transitive dependency on `bevy_utils`, which is a dependency of most `bevy_*` internal crates, some of which are a literal or de facto required dependency of the top-level `bevy` crate.
## What you expected to happen
I should be able to include my preferred level of compile-time verbosity features on the `tracing` crate, including something more verbose than `release_max_level_info` or no limit at all.
## What actually happened
I am forced to use the `release_max_info` crate feature on `tracing` which sets a limit on how much verbosity I can produce in release binaries, as tracing calls and attribute macros that are lower verbosity (`debug` or `trace` in this example) are fully compiled away prior to runtime.
## Additional information
As a workaround, I would need to either fork-and-patch `bevy_utils`, or produce a Cargo profile that mimics release profile but will not receive the effects of this `tracing` crate flag, which currently [requires re-enabling `debug_assertions`](https://github.com/tokio-rs/tracing/blob/5f806286bdef217fefa0e6c3f47a6267f0855e2b/tracing/src/level_filters.rs#L68). If the linked line could be converted to an on-by-default crate feature of `bevy_utils` that was not also rigidly enforced anywhere else in the bevy crate tree, I think I could continue to use upstream code but get the verbosity I situationally desire.
Obviously this is not a common scenario and the performance overhead of each verbosity level is observable, but I think encouraging via documentation and defaults would be preferable to choosing inflexibly for your downstream users.
|
usab
|
bevy utils should not force tracing s release max level info crate feature bevy version and operating system version applicable to all what you did include a direct transitive dependency on bevy utils which is a dependency of most bevy internal crates some of which are a literal or de facto required dependency of the top level bevy crate what you expected to happen i should be able to include my preferred level of compile time verbosity features on the tracing crate including something more verbose than release max level info or no limit at all what actually happened i am forced to use the release max info crate feature on tracing which sets a limit on how much verbosity i can produce in release binaries as tracing calls and attribute macros that are lower verbosity debug or trace in this example are fully compiled away prior to runtime additional information as a workaround i would need to either fork and patch bevy utils or produce a cargo profile that mimics release profile but will not receive the effects of this tracing crate flag which currently if the linked line could be converted to an on by default crate feature of bevy utils that was not also rigidly enforced anywhere else in the bevy crate tree i think i could continue to use upstream code but get the verbosity i situationally desire obviously this is not a common scenario and the performance overhead of each verbosity level is observable but i think encouraging via documentation and defaults would be preferable to choosing inflexibly for your downstream users
| 1
|
21,154
| 16,598,395,421
|
IssuesEvent
|
2021-06-01 15:58:21
|
godotengine/godot
|
https://api.github.com/repos/godotengine/godot
|
closed
|
func name autocomplete doesn't appear until you type something
|
bug topic:editor usability
|
**Godot version:**
3.2
**Issue description:**
Title.


You should be able to use Ctrl + Space at least to force the popup.
|
True
|
func name autocomplete doesn't appear until you type something - **Godot version:**
3.2
**Issue description:**
Title.


You should be able to use Ctrl + Space at least to force the popup.
|
usab
|
func name autocomplete doesn t appear until you type something godot version issue description title you should be able to use ctrl space at least to force the popup
| 1
|
10
| 2,491,198,801
|
IssuesEvent
|
2015-01-03 03:47:56
|
TEAMMATES/repo
|
https://api.github.com/repos/TEAMMATES/repo
|
opened
|
instructorFeedbackRemind: give an option to send to all students
|
a.Usability d.Difficult f.Sessions p.Low status.Accepted t.Enhancement
|
Current options are: send to
1. all who have not submitted
2. specific students
We should give an option to send to all students in the course (even those who submitted).
|
True
|
instructorFeedbackRemind: give an option to send to all students - Current options are: send to
1. all who have not submitted
2. specific students
We should give an option to send to all students in the course (even those who submitted).
|
usab
|
instructorfeedbackremind give an option to send to all students current options are send to all who have not submitted specific students we should give an option to send to all students in the course even those who submitted
| 1
|
236,390
| 26,009,785,774
|
IssuesEvent
|
2022-12-20 23:47:26
|
ManageIQ/miq_bot
|
https://api.github.com/repos/ManageIQ/miq_bot
|
closed
|
CVE-2022-23519 (Medium) detected in rails-html-sanitizer-1.4.3.gem - autoclosed
|
security vulnerability
|
## CVE-2022-23519 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>rails-html-sanitizer-1.4.3.gem</b></p></summary>
<p>HTML sanitization for Rails applications</p>
<p>Library home page: <a href="https://rubygems.org/gems/rails-html-sanitizer-1.4.3.gem">https://rubygems.org/gems/rails-html-sanitizer-1.4.3.gem</a></p>
<p>Path to dependency file: /Gemfile.lock</p>
<p>Path to vulnerable library: /home/wss-scanner/.gem/ruby/2.7.0/cache/rails-html-sanitizer-1.4.3.gem</p>
<p>
Dependency Hierarchy:
- rails-5.2.8.1.gem (Root Library)
- railties-5.2.8.1.gem
- actionpack-5.2.8.1.gem
- :x: **rails-html-sanitizer-1.4.3.gem** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/ManageIQ/miq_bot/commit/37c2faddad2f3de376140b931bef0dd3ca39e68e">37c2faddad2f3de376140b931bef0dd3ca39e68e</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
rails-html-sanitizer is responsible for sanitizing HTML fragments in Rails applications. Prior to version 1.4.4, a possible XSS vulnerability with certain configurations of Rails::Html::Sanitizer may allow an attacker to inject content if the application developer has overridden the sanitizer's allowed tags in either of the following ways: allow both "math" and "style" elements, or allow both "svg" and "style" elements. Code is only impacted if allowed tags are being overridden. . This issue is fixed in version 1.4.4. All users overriding the allowed tags to include "math" or "svg" and "style" should either upgrade or use the following workaround immediately: Remove "style" from the overridden allowed tags, or remove "math" and "svg" from the overridden allowed tags.
<p>Publish Date: 2022-12-14
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-23519>CVE-2022-23519</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Changed
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: Low
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/rails/rails-html-sanitizer/security/advisories/GHSA-9h9g-93gc-623h">https://github.com/rails/rails-html-sanitizer/security/advisories/GHSA-9h9g-93gc-623h</a></p>
<p>Release Date: 2022-12-14</p>
<p>Fix Resolution: rails-html-sanitizer - 1.4.4</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
True
|
CVE-2022-23519 (Medium) detected in rails-html-sanitizer-1.4.3.gem - autoclosed - ## CVE-2022-23519 - Medium Severity Vulnerability
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/vulnerability_details.png' width=19 height=20> Vulnerable Library - <b>rails-html-sanitizer-1.4.3.gem</b></p></summary>
<p>HTML sanitization for Rails applications</p>
<p>Library home page: <a href="https://rubygems.org/gems/rails-html-sanitizer-1.4.3.gem">https://rubygems.org/gems/rails-html-sanitizer-1.4.3.gem</a></p>
<p>Path to dependency file: /Gemfile.lock</p>
<p>Path to vulnerable library: /home/wss-scanner/.gem/ruby/2.7.0/cache/rails-html-sanitizer-1.4.3.gem</p>
<p>
Dependency Hierarchy:
- rails-5.2.8.1.gem (Root Library)
- railties-5.2.8.1.gem
- actionpack-5.2.8.1.gem
- :x: **rails-html-sanitizer-1.4.3.gem** (Vulnerable Library)
<p>Found in HEAD commit: <a href="https://github.com/ManageIQ/miq_bot/commit/37c2faddad2f3de376140b931bef0dd3ca39e68e">37c2faddad2f3de376140b931bef0dd3ca39e68e</a></p>
<p>Found in base branch: <b>master</b></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/medium_vul.png' width=19 height=20> Vulnerability Details</summary>
<p>
rails-html-sanitizer is responsible for sanitizing HTML fragments in Rails applications. Prior to version 1.4.4, a possible XSS vulnerability with certain configurations of Rails::Html::Sanitizer may allow an attacker to inject content if the application developer has overridden the sanitizer's allowed tags in either of the following ways: allow both "math" and "style" elements, or allow both "svg" and "style" elements. Code is only impacted if allowed tags are being overridden. . This issue is fixed in version 1.4.4. All users overriding the allowed tags to include "math" or "svg" and "style" should either upgrade or use the following workaround immediately: Remove "style" from the overridden allowed tags, or remove "math" and "svg" from the overridden allowed tags.
<p>Publish Date: 2022-12-14
<p>URL: <a href=https://www.mend.io/vulnerability-database/CVE-2022-23519>CVE-2022-23519</a></p>
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/cvss3.png' width=19 height=20> CVSS 3 Score Details (<b>6.1</b>)</summary>
<p>
Base Score Metrics:
- Exploitability Metrics:
- Attack Vector: Network
- Attack Complexity: Low
- Privileges Required: None
- User Interaction: Required
- Scope: Changed
- Impact Metrics:
- Confidentiality Impact: Low
- Integrity Impact: Low
- Availability Impact: None
</p>
For more information on CVSS3 Scores, click <a href="https://www.first.org/cvss/calculator/3.0">here</a>.
</p>
</details>
<p></p>
<details><summary><img src='https://whitesource-resources.whitesourcesoftware.com/suggested_fix.png' width=19 height=20> Suggested Fix</summary>
<p>
<p>Type: Upgrade version</p>
<p>Origin: <a href="https://github.com/rails/rails-html-sanitizer/security/advisories/GHSA-9h9g-93gc-623h">https://github.com/rails/rails-html-sanitizer/security/advisories/GHSA-9h9g-93gc-623h</a></p>
<p>Release Date: 2022-12-14</p>
<p>Fix Resolution: rails-html-sanitizer - 1.4.4</p>
</p>
</details>
<p></p>
***
Step up your Open Source Security Game with Mend [here](https://www.whitesourcesoftware.com/full_solution_bolt_github)
|
non_usab
|
cve medium detected in rails html sanitizer gem autoclosed cve medium severity vulnerability vulnerable library rails html sanitizer gem html sanitization for rails applications library home page a href path to dependency file gemfile lock path to vulnerable library home wss scanner gem ruby cache rails html sanitizer gem dependency hierarchy rails gem root library railties gem actionpack gem x rails html sanitizer gem vulnerable library found in head commit a href found in base branch master vulnerability details rails html sanitizer is responsible for sanitizing html fragments in rails applications prior to version a possible xss vulnerability with certain configurations of rails html sanitizer may allow an attacker to inject content if the application developer has overridden the sanitizer s allowed tags in either of the following ways allow both math and style elements or allow both svg and style elements code is only impacted if allowed tags are being overridden this issue is fixed in version all users overriding the allowed tags to include math or svg and style should either upgrade or use the following workaround immediately remove style from the overridden allowed tags or remove math and svg from the overridden allowed tags publish date url a href cvss score details base score metrics exploitability metrics attack vector network attack complexity low privileges required none user interaction required scope changed impact metrics confidentiality impact low integrity impact low availability impact none for more information on scores click a href suggested fix type upgrade version origin a href release date fix resolution rails html sanitizer step up your open source security game with mend
| 0
|
201,765
| 15,812,262,439
|
IssuesEvent
|
2021-04-05 05:10:29
|
thenewboston-developers/Website
|
https://api.github.com/repos/thenewboston-developers/Website
|
closed
|
Documentation Bugs
|
bug documentation
|
**Bug Description**
Redirecting to the invalid sub-menu/pages/sections under the Guide category. But there are no sections/sub-menu/pages under the Guide category in search of the links that are redirecting cause these are invalid redirects so it's moving it to the introduction page.
**Steps to Reproduce**
Steps to reproduce the behavior:
1. Go to 'https://thenewboston.com/bank-api/banks', 'https://thenewboston.com/bank-api/confirmation-blocks', 'https://thenewboston.com/bank-api/invalid-blocks', 'https://thenewboston.com/bank-api/upgrade-notice', 'https://thenewboston.com/bank-api/validators', 'https://thenewboston.com/confirmation-validator-api/bank-confirmation-services', 'https://thenewboston.com/confirmation-validator-api/primary-validator-updated', 'https://thenewboston.com/confirmation-validator-api/upgrade-request' .
2. Hover over '**Banks**', '**Confirmation Services'**, '**Resync Triggers**', '**Resync Process**', '**Validators**', '**Confirmation Services**', '**Resync Process**', '**Resync Process**' .
3. Making invalid redirections to the sub-menu/pages under the guide category.
**Expected behavior**
I think we should remove those invalid redirections.
**Actual behavior**
Going to Guide Overview page(in search of the desired pages/sub-menu).
**OS and Browser**
- OS: Windows 10
- Browser: Chrome
|
1.0
|
Documentation Bugs - **Bug Description**
Redirecting to the invalid sub-menu/pages/sections under the Guide category. But there are no sections/sub-menu/pages under the Guide category in search of the links that are redirecting cause these are invalid redirects so it's moving it to the introduction page.
**Steps to Reproduce**
Steps to reproduce the behavior:
1. Go to 'https://thenewboston.com/bank-api/banks', 'https://thenewboston.com/bank-api/confirmation-blocks', 'https://thenewboston.com/bank-api/invalid-blocks', 'https://thenewboston.com/bank-api/upgrade-notice', 'https://thenewboston.com/bank-api/validators', 'https://thenewboston.com/confirmation-validator-api/bank-confirmation-services', 'https://thenewboston.com/confirmation-validator-api/primary-validator-updated', 'https://thenewboston.com/confirmation-validator-api/upgrade-request' .
2. Hover over '**Banks**', '**Confirmation Services'**, '**Resync Triggers**', '**Resync Process**', '**Validators**', '**Confirmation Services**', '**Resync Process**', '**Resync Process**' .
3. Making invalid redirections to the sub-menu/pages under the guide category.
**Expected behavior**
I think we should remove those invalid redirections.
**Actual behavior**
Going to Guide Overview page(in search of the desired pages/sub-menu).
**OS and Browser**
- OS: Windows 10
- Browser: Chrome
|
non_usab
|
documentation bugs bug description redirecting to the invalid sub menu pages sections under the guide category but there are no sections sub menu pages under the guide category in search of the links that are redirecting cause these are invalid redirects so it s moving it to the introduction page steps to reproduce steps to reproduce the behavior go to hover over banks confirmation services resync triggers resync process validators confirmation services resync process resync process making invalid redirections to the sub menu pages under the guide category expected behavior i think we should remove those invalid redirections actual behavior going to guide overview page in search of the desired pages sub menu os and browser os windows browser chrome
| 0
|
55,271
| 3,072,615,059
|
IssuesEvent
|
2015-08-19 17:49:00
|
sukritchhabra/chessGame-cs451
|
https://api.github.com/repos/sukritchhabra/chessGame-cs451
|
closed
|
When piece left spot, attributes still left in span tag
|
bug Priority 1
|
So normally an empty spot looks like: `<span></span>` but if a piece was in a spot and leaves a spot, instead of becoming `<span></span>` like all other empty spots, its left as `<span data-color data-piece class></span>`. This is blocking me so this needs to be fixed right away.
|
1.0
|
When piece left spot, attributes still left in span tag - So normally an empty spot looks like: `<span></span>` but if a piece was in a spot and leaves a spot, instead of becoming `<span></span>` like all other empty spots, its left as `<span data-color data-piece class></span>`. This is blocking me so this needs to be fixed right away.
|
non_usab
|
when piece left spot attributes still left in span tag so normally an empty spot looks like but if a piece was in a spot and leaves a spot instead of becoming like all other empty spots its left as this is blocking me so this needs to be fixed right away
| 0
|
411,314
| 12,016,818,747
|
IssuesEvent
|
2020-04-10 16:57:35
|
Perustaja/CentennialAircraftMaintenance
|
https://api.github.com/repos/Perustaja/CentennialAircraftMaintenance
|
opened
|
Replace PartCategory with a pre-defined enum
|
BackEnd Priority:Medium
|
No real point in having user-created categories for this, the benefit of having simple, pre-defined categories means less setup work for the end user as they likely don't care that much about them anyway.
- [ ] Remove relational table, replace with enum
- [ ] Replace dropdown list with enum list
- [ ] Replace all editing methods to handle enum
- [ ] Update part creation and edit with new dropdown
|
1.0
|
Replace PartCategory with a pre-defined enum - No real point in having user-created categories for this, the benefit of having simple, pre-defined categories means less setup work for the end user as they likely don't care that much about them anyway.
- [ ] Remove relational table, replace with enum
- [ ] Replace dropdown list with enum list
- [ ] Replace all editing methods to handle enum
- [ ] Update part creation and edit with new dropdown
|
non_usab
|
replace partcategory with a pre defined enum no real point in having user created categories for this the benefit of having simple pre defined categories means less setup work for the end user as they likely don t care that much about them anyway remove relational table replace with enum replace dropdown list with enum list replace all editing methods to handle enum update part creation and edit with new dropdown
| 0
|
616,113
| 19,294,146,843
|
IssuesEvent
|
2021-12-12 09:49:55
|
OpenTreeHole/backend
|
https://api.github.com/repos/OpenTreeHole/backend
|
closed
|
API KEY 生成机制
|
dev request high priority
|
**Is your feature request related to a problem? Please describe.**
API KEY 的生成机制迟迟没有提交,这是 APP 端认证用户的手段,属于最基本的功能,应当被优先解决。
**Describe the solution you'd like**
等待能否获得学校的oauth,在找到更好的认证方式之前,正式版将暂缓发布
**Describe alternatives you've considered**
1. 目前提到的基于时间生成令牌
理由:由于种子需要被写进前端,无论算法是否开源,都有被反编译的可能
2. 将uis学号和密码发给后端,后端完成验证即可
理由:后端可能被黑客植入后门截取所有凭据,可能触发UIS风控
|
1.0
|
API KEY 生成机制 - **Is your feature request related to a problem? Please describe.**
API KEY 的生成机制迟迟没有提交,这是 APP 端认证用户的手段,属于最基本的功能,应当被优先解决。
**Describe the solution you'd like**
等待能否获得学校的oauth,在找到更好的认证方式之前,正式版将暂缓发布
**Describe alternatives you've considered**
1. 目前提到的基于时间生成令牌
理由:由于种子需要被写进前端,无论算法是否开源,都有被反编译的可能
2. 将uis学号和密码发给后端,后端完成验证即可
理由:后端可能被黑客植入后门截取所有凭据,可能触发UIS风控
|
non_usab
|
api key 生成机制 is your feature request related to a problem please describe api key 的生成机制迟迟没有提交,这是 app 端认证用户的手段,属于最基本的功能,应当被优先解决。 describe the solution you d like 等待能否获得学校的oauth,在找到更好的认证方式之前,正式版将暂缓发布 describe alternatives you ve considered 目前提到的基于时间生成令牌 理由:由于种子需要被写进前端,无论算法是否开源,都有被反编译的可能 将uis学号和密码发给后端,后端完成验证即可 理由:后端可能被黑客植入后门截取所有凭据,可能触发uis风控
| 0
|
26,918
| 27,365,208,020
|
IssuesEvent
|
2023-02-27 18:36:29
|
LLNL/RAJA
|
https://api.github.com/repos/LLNL/RAJA
|
closed
|
CUDA separable compilation broken
|
API/usability compilation cuda support
|
The issue was first reported here: https://github.com/LLNL/RAJA/issues/1430
Additional information after investigation
- The issue first appears after this PR was merged: https://github.com/LLNL/RAJA/pull/1004 (10/19/2022).
- Code compiles, but all CUDA tests error at run time and report invalid device function at https://github.com/LLNL/RAJA/blob/develop/include/RAJA/policy/cuda/MemUtils_CUDA.hpp#L229
- Verbose build output is identical before and after the merge.
- @rhornung67 has been reproducing by comparing builds after the PR merge listed above and the previous PR merge: https://github.com/LLNL/RAJA/pull/1273 (10/18/2022). Specifically (but not sure how much of this matters),
- Edit the top-level CMakeLists.txt file to set min req cmake version to 3.20
- Edit ./scripts/lc-builds/blueos_nvcc_clang.sh
- load cmake/3.20.2
- Add lines: -DCMAKE_CUDA_ARCHITECTURES=70 \
-DCMAKE_CUDA_SEPARABLE_COMPILATION=On \
- Generate build space: ./scripts/lc-builds/blueos_nvcc_clang.sh 11.2.0 sm_70 ibm-14.0.5 (based on initial issue report)
|
True
|
CUDA separable compilation broken - The issue was first reported here: https://github.com/LLNL/RAJA/issues/1430
Additional information after investigation
- The issue first appears after this PR was merged: https://github.com/LLNL/RAJA/pull/1004 (10/19/2022).
- Code compiles, but all CUDA tests error at run time and report invalid device function at https://github.com/LLNL/RAJA/blob/develop/include/RAJA/policy/cuda/MemUtils_CUDA.hpp#L229
- Verbose build output is identical before and after the merge.
- @rhornung67 has been reproducing by comparing builds after the PR merge listed above and the previous PR merge: https://github.com/LLNL/RAJA/pull/1273 (10/18/2022). Specifically (but not sure how much of this matters),
- Edit the top-level CMakeLists.txt file to set min req cmake version to 3.20
- Edit ./scripts/lc-builds/blueos_nvcc_clang.sh
- load cmake/3.20.2
- Add lines: -DCMAKE_CUDA_ARCHITECTURES=70 \
-DCMAKE_CUDA_SEPARABLE_COMPILATION=On \
- Generate build space: ./scripts/lc-builds/blueos_nvcc_clang.sh 11.2.0 sm_70 ibm-14.0.5 (based on initial issue report)
|
usab
|
cuda separable compilation broken the issue was first reported here additional information after investigation the issue first appears after this pr was merged code compiles but all cuda tests error at run time and report invalid device function at verbose build output is identical before and after the merge has been reproducing by comparing builds after the pr merge listed above and the previous pr merge specifically but not sure how much of this matters edit the top level cmakelists txt file to set min req cmake version to edit scripts lc builds blueos nvcc clang sh load cmake add lines dcmake cuda architectures dcmake cuda separable compilation on generate build space scripts lc builds blueos nvcc clang sh sm ibm based on initial issue report
| 1
|
108,139
| 13,560,126,813
|
IssuesEvent
|
2020-09-18 00:53:45
|
flutter/flutter
|
https://api.github.com/repos/flutter/flutter
|
opened
|
ReorderableListView updates
|
f: material design framework
|
We have had numerous requests for new features and bug fixes related to the `ReorderableListView`. This issue will be used to track the main issues and describe our current plan for resolving them. We have an initial [design doc](https://docs.google.com/document/d/1JzNtMQ-jnPnSHEBoi6IO0x2qMMylwhvRslEDcmqiwSs/edit#heading=h.pub7jnop54q0) that summarizes the current features/bugs we would like to address in an update to the `ReorderableListView`. It is an incomplete design, but will hopefully give you an idea of what we are thinking and how we might address them.
To summarize, here are the main issues we would like to address:
- Support for drag handles
- Configuring drag initiation (i.e single click on desktop, long press on mobile)
- Parity with ListView features:
- .builder constructor
- .separated constructor?
- reverse, primary, shrinkwrap, padding, and scrollPhysics properties
- It is hard to embed in a SliverList
- Doesn’t work well inside a RefreshIndicator
- Item tooltips and popup menus are incorrectly positioned
- Lack of visual polish and some interactive jankiness
Please feel free to comment below or on the doc itself any feedback about this as we are still in the early stages of design work for it.
|
1.0
|
ReorderableListView updates - We have had numerous requests for new features and bug fixes related to the `ReorderableListView`. This issue will be used to track the main issues and describe our current plan for resolving them. We have an initial [design doc](https://docs.google.com/document/d/1JzNtMQ-jnPnSHEBoi6IO0x2qMMylwhvRslEDcmqiwSs/edit#heading=h.pub7jnop54q0) that summarizes the current features/bugs we would like to address in an update to the `ReorderableListView`. It is an incomplete design, but will hopefully give you an idea of what we are thinking and how we might address them.
To summarize, here are the main issues we would like to address:
- Support for drag handles
- Configuring drag initiation (i.e single click on desktop, long press on mobile)
- Parity with ListView features:
- .builder constructor
- .separated constructor?
- reverse, primary, shrinkwrap, padding, and scrollPhysics properties
- It is hard to embed in a SliverList
- Doesn’t work well inside a RefreshIndicator
- Item tooltips and popup menus are incorrectly positioned
- Lack of visual polish and some interactive jankiness
Please feel free to comment below or on the doc itself any feedback about this as we are still in the early stages of design work for it.
|
non_usab
|
reorderablelistview updates we have had numerous requests for new features and bug fixes related to the reorderablelistview this issue will be used to track the main issues and describe our current plan for resolving them we have an initial that summarizes the current features bugs we would like to address in an update to the reorderablelistview it is an incomplete design but will hopefully give you an idea of what we are thinking and how we might address them to summarize here are the main issues we would like to address support for drag handles configuring drag initiation i e single click on desktop long press on mobile parity with listview features builder constructor separated constructor reverse primary shrinkwrap padding and scrollphysics properties it is hard to embed in a sliverlist doesn’t work well inside a refreshindicator item tooltips and popup menus are incorrectly positioned lack of visual polish and some interactive jankiness please feel free to comment below or on the doc itself any feedback about this as we are still in the early stages of design work for it
| 0
|
33,360
| 15,884,666,535
|
IssuesEvent
|
2021-04-09 19:15:48
|
ampproject/amp-wp
|
https://api.github.com/repos/ampproject/amp-wp
|
opened
|
Use loading=lazy as a signal for images to skip as candidates in DetermineHeroImages transformer
|
Enhancement Optimizer Performance
|
## Feature description
Update `DetermineHeroImages` transformer to use `loading=lazy` as a signal for images which should _not_ be prerendered. As can be seen in [wpcore#52139](https://core.trac.wordpress.org/ticket/52139), the featured image omits the `loading` attribute for the featured image because it should _not_ be loaded lazily. This is in contrast with images which are added to the content, which should be (normally). Another example of this is the Custom Logo which likewise does _not_ get `loading=lazy` as per [wpcore#50425](https://core.trac.wordpress.org/ticket/50425).
The `DetermineHeroImages` transformer currently does SSR for Image blocks and Cover blocks which are at the beginning of the content:
https://github.com/ampproject/amp-wp/blob/81b9df742d9f78fb5ee3657622d21eb8c7926f64/src/Transformer/DetermineHeroImages.php#L56-L75
That can remain in place.
What could change however is the logic for determine the custom header and custom logo which currently rely on specific class names being present (and where there is a lack of standardization for custom headers):
https://github.com/ampproject/amp-wp/blob/81b9df742d9f78fb5ee3657622d21eb8c7926f64/src/Transformer/DetermineHeroImages.php#L35-L40
The `CUSTOM_HEADER_XPATH_QUERY` in particular could be replaced as follows:
```php
const CUSTOM_HEADER_XPATH_QUERY = ".//amp-img[ not( @data-hero ) and not( contains( concat( ' ', normalize-space( @class ), ' ' ), ' custom-logo ' ) ) ][ not( noscript/img/@loading ) or noscript/img/@loading != 'lazy' ][1]";
```
This will select the first image that was not originally marked with `loading=lazy` (as the `AMP_Img_Sanitizer` will preserve that in the `noscript` fallback).
For fear of `CUSTOM_HEADER_XPATH_QUERY` accidentally selecting an image out of the first viewport, some protection for this is proposed in https://github.com/ampproject/amp-toolbox/pull/1196. However, we'll have to decide whether `data-hero-candidate` should also get `loading=lazy` added to the SSR'ed image. Also, while using `loop_start` as suggested in https://github.com/ampproject/amp-wp/pull/5934#pullrequestreview-612653661 wasn't ideal, something else we could consider for the header image is only image nodes that occur before `FIRST_ENTRY_CONTENT_XPATH_QUERY`.
Aside: The `CUSTOM_LOGO_XPATH_QUERY` should also be modified to only select the first result by adding `[1]` to the end of the expression.
---------------
_Do not alter or remove anything below. The following sections will be managed by moderators only._
## Acceptance criteria
* <!-- One or more bullet points for acceptance criteria. -->
## Implementation brief
* <!-- One or more bullet points for how to technically resolve the issue. For significant Implementation Design, it is ok use a Google document **accessible by anyone**. -->
## QA testing instructions
* <!-- One or more bullet points to describe how to test the implementation in QA. -->
## Demo
* <!-- A video or screenshots demoing the implementation. -->
## Changelog entry
* <!-- One sentence summarizing the PR, to be used in the changelog. -->
|
True
|
Use loading=lazy as a signal for images to skip as candidates in DetermineHeroImages transformer - ## Feature description
Update `DetermineHeroImages` transformer to use `loading=lazy` as a signal for images which should _not_ be prerendered. As can be seen in [wpcore#52139](https://core.trac.wordpress.org/ticket/52139), the featured image omits the `loading` attribute for the featured image because it should _not_ be loaded lazily. This is in contrast with images which are added to the content, which should be (normally). Another example of this is the Custom Logo which likewise does _not_ get `loading=lazy` as per [wpcore#50425](https://core.trac.wordpress.org/ticket/50425).
The `DetermineHeroImages` transformer currently does SSR for Image blocks and Cover blocks which are at the beginning of the content:
https://github.com/ampproject/amp-wp/blob/81b9df742d9f78fb5ee3657622d21eb8c7926f64/src/Transformer/DetermineHeroImages.php#L56-L75
That can remain in place.
What could change however is the logic for determine the custom header and custom logo which currently rely on specific class names being present (and where there is a lack of standardization for custom headers):
https://github.com/ampproject/amp-wp/blob/81b9df742d9f78fb5ee3657622d21eb8c7926f64/src/Transformer/DetermineHeroImages.php#L35-L40
The `CUSTOM_HEADER_XPATH_QUERY` in particular could be replaced as follows:
```php
const CUSTOM_HEADER_XPATH_QUERY = ".//amp-img[ not( @data-hero ) and not( contains( concat( ' ', normalize-space( @class ), ' ' ), ' custom-logo ' ) ) ][ not( noscript/img/@loading ) or noscript/img/@loading != 'lazy' ][1]";
```
This will select the first image that was not originally marked with `loading=lazy` (as the `AMP_Img_Sanitizer` will preserve that in the `noscript` fallback).
For fear of `CUSTOM_HEADER_XPATH_QUERY` accidentally selecting an image out of the first viewport, some protection for this is proposed in https://github.com/ampproject/amp-toolbox/pull/1196. However, we'll have to decide whether `data-hero-candidate` should also get `loading=lazy` added to the SSR'ed image. Also, while using `loop_start` as suggested in https://github.com/ampproject/amp-wp/pull/5934#pullrequestreview-612653661 wasn't ideal, something else we could consider for the header image is only image nodes that occur before `FIRST_ENTRY_CONTENT_XPATH_QUERY`.
Aside: The `CUSTOM_LOGO_XPATH_QUERY` should also be modified to only select the first result by adding `[1]` to the end of the expression.
---------------
_Do not alter or remove anything below. The following sections will be managed by moderators only._
## Acceptance criteria
* <!-- One or more bullet points for acceptance criteria. -->
## Implementation brief
* <!-- One or more bullet points for how to technically resolve the issue. For significant Implementation Design, it is ok use a Google document **accessible by anyone**. -->
## QA testing instructions
* <!-- One or more bullet points to describe how to test the implementation in QA. -->
## Demo
* <!-- A video or screenshots demoing the implementation. -->
## Changelog entry
* <!-- One sentence summarizing the PR, to be used in the changelog. -->
|
non_usab
|
use loading lazy as a signal for images to skip as candidates in determineheroimages transformer feature description update determineheroimages transformer to use loading lazy as a signal for images which should not be prerendered as can be seen in the featured image omits the loading attribute for the featured image because it should not be loaded lazily this is in contrast with images which are added to the content which should be normally another example of this is the custom logo which likewise does not get loading lazy as per the determineheroimages transformer currently does ssr for image blocks and cover blocks which are at the beginning of the content that can remain in place what could change however is the logic for determine the custom header and custom logo which currently rely on specific class names being present and where there is a lack of standardization for custom headers the custom header xpath query in particular could be replaced as follows php const custom header xpath query amp img this will select the first image that was not originally marked with loading lazy as the amp img sanitizer will preserve that in the noscript fallback for fear of custom header xpath query accidentally selecting an image out of the first viewport some protection for this is proposed in however we ll have to decide whether data hero candidate should also get loading lazy added to the ssr ed image also while using loop start as suggested in wasn t ideal something else we could consider for the header image is only image nodes that occur before first entry content xpath query aside the custom logo xpath query should also be modified to only select the first result by adding to the end of the expression do not alter or remove anything below the following sections will be managed by moderators only acceptance criteria implementation brief qa testing instructions demo changelog entry
| 0
|
440,948
| 30,763,942,883
|
IssuesEvent
|
2023-07-30 03:32:33
|
Shopify/polaris
|
https://api.github.com/repos/Shopify/polaris
|
closed
|
document "EmptySearchResult"
|
Documentation no-issue-activity
|
## Issue summary
We should provide documentation and best practice guidance for this component.

From @chloerice :
> We have an undocumented `EmptySearchResult` component that should document best practices for this.
> These all implement the correct pattern of telling merchants their search query (which should be referenced directly or categorically in the content rendered depending on the context) did not return any results, and instructing them what to do about it. Icons in these contexts are optional and generally only used to fill the massive space in larger content containers, like `IndexTable` or `Modal`.
>
>
> Searchable components also (should) include examples for when no result is found, for example `Autocomplete` and `Filters`.
>
>
> If I were to write some best practices for empty search results, they'd include:
>
> - Reference the merchant's search query directly
> -- Do: No orders found tagged with "X", No tags found matching "Y"
> -- Don't: No results found
> - Offer merchants an action to take to move forward in the job to be done
> -- Do: Clear search query, Clear filters
> -- Don't: Try changing the search term)
> - Link to relevant documentation or resources merchants would benefit from if the search spans multiple features or contexts
|
1.0
|
document "EmptySearchResult" - ## Issue summary
We should provide documentation and best practice guidance for this component.

From @chloerice :
> We have an undocumented `EmptySearchResult` component that should document best practices for this.
> These all implement the correct pattern of telling merchants their search query (which should be referenced directly or categorically in the content rendered depending on the context) did not return any results, and instructing them what to do about it. Icons in these contexts are optional and generally only used to fill the massive space in larger content containers, like `IndexTable` or `Modal`.
>
>
> Searchable components also (should) include examples for when no result is found, for example `Autocomplete` and `Filters`.
>
>
> If I were to write some best practices for empty search results, they'd include:
>
> - Reference the merchant's search query directly
> -- Do: No orders found tagged with "X", No tags found matching "Y"
> -- Don't: No results found
> - Offer merchants an action to take to move forward in the job to be done
> -- Do: Clear search query, Clear filters
> -- Don't: Try changing the search term)
> - Link to relevant documentation or resources merchants would benefit from if the search spans multiple features or contexts
|
non_usab
|
document emptysearchresult issue summary we should provide documentation and best practice guidance for this component from chloerice we have an undocumented emptysearchresult component that should document best practices for this these all implement the correct pattern of telling merchants their search query which should be referenced directly or categorically in the content rendered depending on the context did not return any results and instructing them what to do about it icons in these contexts are optional and generally only used to fill the massive space in larger content containers like indextable or modal searchable components also should include examples for when no result is found for example autocomplete and filters if i were to write some best practices for empty search results they d include reference the merchant s search query directly do no orders found tagged with x no tags found matching y don t no results found offer merchants an action to take to move forward in the job to be done do clear search query clear filters don t try changing the search term link to relevant documentation or resources merchants would benefit from if the search spans multiple features or contexts
| 0
|
33,940
| 7,768,119,330
|
IssuesEvent
|
2018-06-03 14:39:58
|
MoonchildProductions/Pale-Moon
|
https://api.github.com/repos/MoonchildProductions/Pale-Moon
|
closed
|
Remove automated tests
|
Code Cleanup UXP-task
|
A large chunk of our code tree is taken up by automated tests which are never used and serve no purpose. They require maintenance lest they bitrot, so lets reduce our work load and remove these automated tests.
Reftests should be retained since they are handy to have for manual visual verification of rendering/layout, but things like js regression/jit tests and other similar things that are never exercised can most definitely go.
|
1.0
|
Remove automated tests - A large chunk of our code tree is taken up by automated tests which are never used and serve no purpose. They require maintenance lest they bitrot, so lets reduce our work load and remove these automated tests.
Reftests should be retained since they are handy to have for manual visual verification of rendering/layout, but things like js regression/jit tests and other similar things that are never exercised can most definitely go.
|
non_usab
|
remove automated tests a large chunk of our code tree is taken up by automated tests which are never used and serve no purpose they require maintenance lest they bitrot so lets reduce our work load and remove these automated tests reftests should be retained since they are handy to have for manual visual verification of rendering layout but things like js regression jit tests and other similar things that are never exercised can most definitely go
| 0
|
3,690
| 3,517,002,761
|
IssuesEvent
|
2016-01-12 03:41:29
|
gama-platform/gama
|
https://api.github.com/repos/gama-platform/gama
|
closed
|
Cannot reopen a project that has been closed
|
> Bug Affects Usability Version Git
|
When we close a project (by right clicking on the project / close project), the project disappear completely from the project navigation. And it is impossible to re-import it again, because it is seen as an already imported project.
|
True
|
Cannot reopen a project that has been closed - When we close a project (by right clicking on the project / close project), the project disappear completely from the project navigation. And it is impossible to re-import it again, because it is seen as an already imported project.
|
usab
|
cannot reopen a project that has been closed when we close a project by right clicking on the project close project the project disappear completely from the project navigation and it is impossible to re import it again because it is seen as an already imported project
| 1
|
4,382
| 5,029,511,228
|
IssuesEvent
|
2016-12-15 21:25:31
|
couchbaselabs/mobile-testkit
|
https://api.github.com/repos/couchbaselabs/mobile-testkit
|
closed
|
Add cluster check in teardown of topology specific tests
|
infrastructure P1: high sync gateway
|
Needs to coincide with reorg of feature/rebalance branch
|
1.0
|
Add cluster check in teardown of topology specific tests - Needs to coincide with reorg of feature/rebalance branch
|
non_usab
|
add cluster check in teardown of topology specific tests needs to coincide with reorg of feature rebalance branch
| 0
|
23,931
| 23,135,125,171
|
IssuesEvent
|
2022-07-28 13:46:13
|
tailscale/tailscale
|
https://api.github.com/repos/tailscale/tailscale
|
closed
|
Tailscale connected prevents GoPro app from working
|
OS-android L1 Very few P2 Aggravating T5 Usability
| ERROR: type should be string, got "https://twitter.com/scottalaird/status/1421137488534380545\r\n\r\nSteps to reproduce:\r\n\r\nGoPro: Hero9, with v1.52, v1.6, and v1.6 \"GoPro labs\"\r\nAndroid: Galaxy S20 Ultra, Android 11, Tailscale v1.10.2-36fe8addc39\r\n\r\nInstall GoPro Quik app. Connect to GoPro. Click on \"start preview\".\r\n\r\nTailscale active: 100% failure.\r\nTailscale stopped: 100% success."
|
True
|
Tailscale connected prevents GoPro app from working - https://twitter.com/scottalaird/status/1421137488534380545
Steps to reproduce:
GoPro: Hero9, with v1.52, v1.6, and v1.6 "GoPro labs"
Android: Galaxy S20 Ultra, Android 11, Tailscale v1.10.2-36fe8addc39
Install GoPro Quik app. Connect to GoPro. Click on "start preview".
Tailscale active: 100% failure.
Tailscale stopped: 100% success.
|
usab
|
tailscale connected prevents gopro app from working steps to reproduce gopro with and gopro labs android galaxy ultra android tailscale install gopro quik app connect to gopro click on start preview tailscale active failure tailscale stopped success
| 1
|
423,108
| 12,290,835,355
|
IssuesEvent
|
2020-05-10 06:38:56
|
kubeflow/community
|
https://api.github.com/repos/kubeflow/community
|
closed
|
[devstats] redirect http to https
|
lifecycle/stale priority/p2
|
We currently serve devstats.kubeflow.org at http and https (#130).
We would like all http traffic to automatically be redirected to https. We'd like to do this because users could potentially login into grafana and we don't want that to be over http.
|
1.0
|
[devstats] redirect http to https - We currently serve devstats.kubeflow.org at http and https (#130).
We would like all http traffic to automatically be redirected to https. We'd like to do this because users could potentially login into grafana and we don't want that to be over http.
|
non_usab
|
redirect http to https we currently serve devstats kubeflow org at http and https we would like all http traffic to automatically be redirected to https we d like to do this because users could potentially login into grafana and we don t want that to be over http
| 0
|
17,705
| 12,262,009,298
|
IssuesEvent
|
2020-05-06 21:10:54
|
MetaMask/metamask-mobile
|
https://api.github.com/repos/MetaMask/metamask-mobile
|
closed
|
UI UX: detect already added bookmark in menu
|
enhancement usability
|
**Describe the usability problem**
If a URL is already bookmarked the option to add it to Favorites is still there and can be clicked. User feedback in case: 33854
**Screenshots**


**Expected behavior**
The menu option should change to "already bookmarked" or be used as an editor to modify the current bookmark (it seems you can only delete added bookmarks, not edit them in any way).
|
True
|
UI UX: detect already added bookmark in menu - **Describe the usability problem**
If a URL is already bookmarked the option to add it to Favorites is still there and can be clicked. User feedback in case: 33854
**Screenshots**


**Expected behavior**
The menu option should change to "already bookmarked" or be used as an editor to modify the current bookmark (it seems you can only delete added bookmarks, not edit them in any way).
|
usab
|
ui ux detect already added bookmark in menu describe the usability problem if a url is already bookmarked the option to add it to favorites is still there and can be clicked user feedback in case screenshots expected behavior the menu option should change to already bookmarked or be used as an editor to modify the current bookmark it seems you can only delete added bookmarks not edit them in any way
| 1
|
15,583
| 10,146,223,683
|
IssuesEvent
|
2019-08-05 07:33:40
|
frappe/erpnext
|
https://api.github.com/repos/frappe/erpnext
|
closed
|
Auto-invoicing: Rename Loan Period to Load Period (Days)
|
Accounts usability version-12
|
Currently, field label doesn't indicate that Loan Period has to be entered in Days. Let's add this term in the label itself.
<img width="1236" alt="Screenshot 2019-07-12 at 11 49 20 AM" src="https://user-images.githubusercontent.com/910238/61106690-846af900-a49b-11e9-9e0e-e4e108c11f78.png">
Period can mean to Days, Weeks, Months... etc..
|
True
|
Auto-invoicing: Rename Loan Period to Load Period (Days) - Currently, field label doesn't indicate that Loan Period has to be entered in Days. Let's add this term in the label itself.
<img width="1236" alt="Screenshot 2019-07-12 at 11 49 20 AM" src="https://user-images.githubusercontent.com/910238/61106690-846af900-a49b-11e9-9e0e-e4e108c11f78.png">
Period can mean to Days, Weeks, Months... etc..
|
usab
|
auto invoicing rename loan period to load period days currently field label doesn t indicate that loan period has to be entered in days let s add this term in the label itself img width alt screenshot at am src period can mean to days weeks months etc
| 1
|
3,671
| 6,137,799,491
|
IssuesEvent
|
2017-06-26 13:15:45
|
OpenSRP/opensrp-client
|
https://api.github.com/repos/OpenSRP/opensrp-client
|
closed
|
BZ4.5a Ability to generate HIA2 report monthly and put in printable format
|
Confirm Requirements PATH BID Zambia
|
- [ ] Need to confirm where this would be printed from (DHIS2?) and what format it would be printed in.
|
1.0
|
BZ4.5a Ability to generate HIA2 report monthly and put in printable format - - [ ] Need to confirm where this would be printed from (DHIS2?) and what format it would be printed in.
|
non_usab
|
ability to generate report monthly and put in printable format need to confirm where this would be printed from and what format it would be printed in
| 0
|
437,209
| 12,565,179,212
|
IssuesEvent
|
2020-06-08 09:11:14
|
jabardigitalservice/pikobar-pelaporan-backend
|
https://api.github.com/repos/jabardigitalservice/pikobar-pelaporan-backend
|
closed
|
[Laporan Harian] API Export Laporan Harian
|
backend priority high
|
## User Story
Sebagai dinkes kota/kab/provinsi saya ingin mengexport laporan harian sebagai laporan harian kepada dinkes provinsi
> <img width="839" alt="81374556-b8e62a80-9129-11ea-934f-ca0d97c7a366" src="https://user-images.githubusercontent.com/11548871/82247216-3868ca80-9970-11ea-894c-eaaaf2734db3.png">
## Acceptance Criteria :
* [x] Dinkes provinsi bisa export data
* [x] Dinkes kota/kab bisa export data
* [x] Export data to jpg/png/pdf
* [x] Export data to excel berformat .xlsx
* [x] Jika data yang di filter/sorting maka data yang diexport sesuai hasil filter
## Cross-browser compatibility:
- [ ] Chrome
- [ ] Firefox
|
1.0
|
[Laporan Harian] API Export Laporan Harian - ## User Story
Sebagai dinkes kota/kab/provinsi saya ingin mengexport laporan harian sebagai laporan harian kepada dinkes provinsi
> <img width="839" alt="81374556-b8e62a80-9129-11ea-934f-ca0d97c7a366" src="https://user-images.githubusercontent.com/11548871/82247216-3868ca80-9970-11ea-894c-eaaaf2734db3.png">
## Acceptance Criteria :
* [x] Dinkes provinsi bisa export data
* [x] Dinkes kota/kab bisa export data
* [x] Export data to jpg/png/pdf
* [x] Export data to excel berformat .xlsx
* [x] Jika data yang di filter/sorting maka data yang diexport sesuai hasil filter
## Cross-browser compatibility:
- [ ] Chrome
- [ ] Firefox
|
non_usab
|
api export laporan harian user story sebagai dinkes kota kab provinsi saya ingin mengexport laporan harian sebagai laporan harian kepada dinkes provinsi img width alt src acceptance criteria dinkes provinsi bisa export data dinkes kota kab bisa export data export data to jpg png pdf export data to excel berformat xlsx jika data yang di filter sorting maka data yang diexport sesuai hasil filter cross browser compatibility chrome firefox
| 0
|
224,653
| 17,767,259,016
|
IssuesEvent
|
2021-08-30 09:08:03
|
MohistMC/Mohist
|
https://api.github.com/repos/MohistMC/Mohist
|
closed
|
[1.16.5] Console spam with BetterAnimalsPlus mod
|
1.16.5 Needs Testing Needs User Answer
|
<!-- ISSUE_TEMPLATE_1 -> IMPORTANT: DO NOT DELETE THIS LINE.-->
<!-- Thank you for reporting ! Please note that issues can take a lot of time to be fixed and there is no eta.-->
<!-- If you don't know where to upload your logs and crash reports, you can use these websites : -->
<!-- https://paste.ubuntu.com/ (recommended) -->
<!-- https://mclo.gs -->
<!-- https://haste.mohistmc.com -->
<!-- https://pastebin.com -->
<!-- TO FILL THIS TEMPLATE, YOU NEED TO REPLACE THE {} BY WHAT YOU WANT -->
**Minecraft Version :** 1.16.5
**Mohist Version :** 1.16.5-762
**Operating System :** Windows 10
**Concerned mod / plugin** : Better Animals Plus
**Logs :**
[08:58:08] [Worker-Main-8/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntitySongbird from class dev.itsmeow.betteranimalsplus.imdlib.entity.EntityTypeContainer
[08:58:15] [Worker-Main-9/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntitySquirrel from class dev.itsmeow.betteranimalsplus.imdlib.entity.EntityTypeContainer
[08:58:31] [Worker-Main-8/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntityFeralWolf from class dev.itsmeow.betteranimalsplus.imdlib.entity.EntityTypeContainer
[08:58:32] [Server thread/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntityButterfly from class dev.itsmeow.betteranimalsplus.imdlib.entity.EntityTypeContainer
[08:58:32] [Server thread/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntityButterfly from class dev.itsmeow.betteranimalsplus.imdlib.entity.util.EntityTypeContainerContainable
[08:58:34] [Worker-Main-8/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntityReindeer from class dev.itsmeow.betteranimalsplus.imdlib.entity.EntityTypeContainer
[08:58:35] [Worker-Main-8/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntityTurkey from class dev.itsmeow.betteranimalsplus.imdlib.entity.EntityTypeContainer
**Steps to Reproduce :**
1. Add this mod
2. Create a world
3. Profit
**Description of issue :** When you add BetterAnimalsPlus, each time an entity from that mods spawns in the world, you get console spam. Don't know if it affects the mobs.
|
1.0
|
[1.16.5] Console spam with BetterAnimalsPlus mod - <!-- ISSUE_TEMPLATE_1 -> IMPORTANT: DO NOT DELETE THIS LINE.-->
<!-- Thank you for reporting ! Please note that issues can take a lot of time to be fixed and there is no eta.-->
<!-- If you don't know where to upload your logs and crash reports, you can use these websites : -->
<!-- https://paste.ubuntu.com/ (recommended) -->
<!-- https://mclo.gs -->
<!-- https://haste.mohistmc.com -->
<!-- https://pastebin.com -->
<!-- TO FILL THIS TEMPLATE, YOU NEED TO REPLACE THE {} BY WHAT YOU WANT -->
**Minecraft Version :** 1.16.5
**Mohist Version :** 1.16.5-762
**Operating System :** Windows 10
**Concerned mod / plugin** : Better Animals Plus
**Logs :**
[08:58:08] [Worker-Main-8/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntitySongbird from class dev.itsmeow.betteranimalsplus.imdlib.entity.EntityTypeContainer
[08:58:15] [Worker-Main-9/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntitySquirrel from class dev.itsmeow.betteranimalsplus.imdlib.entity.EntityTypeContainer
[08:58:31] [Worker-Main-8/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntityFeralWolf from class dev.itsmeow.betteranimalsplus.imdlib.entity.EntityTypeContainer
[08:58:32] [Server thread/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntityButterfly from class dev.itsmeow.betteranimalsplus.imdlib.entity.EntityTypeContainer
[08:58:32] [Server thread/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntityButterfly from class dev.itsmeow.betteranimalsplus.imdlib.entity.util.EntityTypeContainerContainable
[08:58:34] [Worker-Main-8/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntityReindeer from class dev.itsmeow.betteranimalsplus.imdlib.entity.EntityTypeContainer
[08:58:35] [Worker-Main-8/WARN] [net.minecraft.network.datasync.EntityDataManager/]: defineId called for: class its_meow.betteranimalsplus.common.entity.EntityTurkey from class dev.itsmeow.betteranimalsplus.imdlib.entity.EntityTypeContainer
**Steps to Reproduce :**
1. Add this mod
2. Create a world
3. Profit
**Description of issue :** When you add BetterAnimalsPlus, each time an entity from that mods spawns in the world, you get console spam. Don't know if it affects the mobs.
|
non_usab
|
console spam with betteranimalsplus mod important do not delete this line minecraft version mohist version operating system windows concerned mod plugin better animals plus logs defineid called for class its meow betteranimalsplus common entity entitysongbird from class dev itsmeow betteranimalsplus imdlib entity entitytypecontainer defineid called for class its meow betteranimalsplus common entity entitysquirrel from class dev itsmeow betteranimalsplus imdlib entity entitytypecontainer defineid called for class its meow betteranimalsplus common entity entityferalwolf from class dev itsmeow betteranimalsplus imdlib entity entitytypecontainer defineid called for class its meow betteranimalsplus common entity entitybutterfly from class dev itsmeow betteranimalsplus imdlib entity entitytypecontainer defineid called for class its meow betteranimalsplus common entity entitybutterfly from class dev itsmeow betteranimalsplus imdlib entity util entitytypecontainercontainable defineid called for class its meow betteranimalsplus common entity entityreindeer from class dev itsmeow betteranimalsplus imdlib entity entitytypecontainer defineid called for class its meow betteranimalsplus common entity entityturkey from class dev itsmeow betteranimalsplus imdlib entity entitytypecontainer steps to reproduce add this mod create a world profit description of issue when you add betteranimalsplus each time an entity from that mods spawns in the world you get console spam don t know if it affects the mobs
| 0
|
184,941
| 14,290,879,331
|
IssuesEvent
|
2020-11-23 21:39:08
|
rancher/dashboard
|
https://api.github.com/repos/rancher/dashboard
|
closed
|
If page scroll is on, Drop-down follow page and gets removed from field
|
[zube]: To Test area/drop-downs product/logging
|
Steps:
1. Install logging
2. Go to Create Cluster Flow
3. Make browser small enough that scroll on left show up
4. Click on LImit to drop-down (either is fine)
5. Scroll the page
Results: the drop-down follows the page and doesn't stay attached to the field it came from

|
1.0
|
If page scroll is on, Drop-down follow page and gets removed from field - Steps:
1. Install logging
2. Go to Create Cluster Flow
3. Make browser small enough that scroll on left show up
4. Click on LImit to drop-down (either is fine)
5. Scroll the page
Results: the drop-down follows the page and doesn't stay attached to the field it came from

|
non_usab
|
if page scroll is on drop down follow page and gets removed from field steps install logging go to create cluster flow make browser small enough that scroll on left show up click on limit to drop down either is fine scroll the page results the drop down follows the page and doesn t stay attached to the field it came from
| 0
|
18,834
| 13,285,066,780
|
IssuesEvent
|
2020-08-24 07:28:46
|
godotengine/godot
|
https://api.github.com/repos/godotengine/godot
|
closed
|
Autocompletion triggers on numbers
|
bug regression topic:editor topic:gdscript usability
|
<!-- Please search existing issues for potential duplicates before filing yours:
https://github.com/godotengine/godot/issues?q=is%3Aissue
-->
**Godot version:**
<!-- Specify commit hash if using non-official build. -->
3.2.3 rc4
**Issue description:**
<!-- What happened, and what was expected. -->
I noticed that autocompletion is overzealous recently. When you type any standalone number, it will suggest some class containing this number in name. Which often leads to accidental inserting.

|
True
|
Autocompletion triggers on numbers - <!-- Please search existing issues for potential duplicates before filing yours:
https://github.com/godotengine/godot/issues?q=is%3Aissue
-->
**Godot version:**
<!-- Specify commit hash if using non-official build. -->
3.2.3 rc4
**Issue description:**
<!-- What happened, and what was expected. -->
I noticed that autocompletion is overzealous recently. When you type any standalone number, it will suggest some class containing this number in name. Which often leads to accidental inserting.

|
usab
|
autocompletion triggers on numbers please search existing issues for potential duplicates before filing yours godot version issue description i noticed that autocompletion is overzealous recently when you type any standalone number it will suggest some class containing this number in name which often leads to accidental inserting
| 1
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.